diff --git a/.gitignore b/.gitignore
index 2b1cfc37e0..7fed42af69 100644
--- a/.gitignore
+++ b/.gitignore
@@ -56,6 +56,11 @@ plugins/SettingsGuide
plugins/SettingsGuide2
plugins/SVGToolpathReader
plugins/X3GWriter
+plugins/CuraFlatPack
+plugins/CuraRemoteSupport
+plugins/ModelCutter
+plugins/PrintProfileCreator
+plugins/MultiPrintPlugin
#Build stuff
CMakeCache.txt
diff --git a/CITATION.cff b/CITATION.cff
index 808a403e1a..b97fdf7c49 100644
--- a/CITATION.cff
+++ b/CITATION.cff
@@ -7,5 +7,5 @@ license: "LGPL-3.0"
message: "If you use this software, please cite it using these metadata."
repository-code: "https://github.com/ultimaker/cura/"
title: "Ultimaker Cura"
-version: "4.10.0"
-...
\ No newline at end of file
+version: "4.12.0"
+...
diff --git a/README.md b/README.md
index 345a55d12f..1f58dc09a1 100644
--- a/README.md
+++ b/README.md
@@ -2,7 +2,7 @@ Cura
====
Ultimaker Cura is a state-of-the-art slicer application to prepare your 3D models for printing with a 3D printer. With hundreds of settings and hundreds of community-managed print profiles, Ultimaker Cura is sure to lead your next project to a success.
-
+
Logging Issues
------------
diff --git a/cura-logo.PNG b/cura-logo.PNG
new file mode 100644
index 0000000000..52da8203a8
Binary files /dev/null and b/cura-logo.PNG differ
diff --git a/cura/API/Account.py b/cura/API/Account.py
index ab45c4a4be..9f1184a0a0 100644
--- a/cura/API/Account.py
+++ b/cura/API/Account.py
@@ -1,15 +1,15 @@
-# Copyright (c) 2018 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
-from datetime import datetime
-from typing import Any, Optional, Dict, TYPE_CHECKING, Callable
+from datetime import datetime
from PyQt5.QtCore import QObject, pyqtSignal, pyqtSlot, pyqtProperty, QTimer, Q_ENUMS
+from typing import Any, Optional, Dict, TYPE_CHECKING, Callable
from UM.Logger import Logger
from UM.Message import Message
from UM.i18n import i18nCatalog
from cura.OAuth2.AuthorizationService import AuthorizationService
-from cura.OAuth2.Models import OAuth2Settings
+from cura.OAuth2.Models import OAuth2Settings, UserProfile
from cura.UltimakerCloud import UltimakerCloudConstants
if TYPE_CHECKING:
@@ -46,6 +46,9 @@ class Account(QObject):
loginStateChanged = pyqtSignal(bool)
"""Signal emitted when user logged in or out"""
+ userProfileChanged = pyqtSignal()
+ """Signal emitted when new account information is available."""
+
additionalRightsChanged = pyqtSignal("QVariantMap")
"""Signal emitted when a users additional rights change"""
@@ -62,7 +65,7 @@ class Account(QObject):
updatePackagesEnabledChanged = pyqtSignal(bool)
CLIENT_SCOPES = "account.user.read drive.backup.read drive.backup.write packages.download " \
- "packages.rating.read packages.rating.write connect.cluster.read connect.cluster.write " \
+ "packages.rating.read packages.rating.write connect.cluster.read connect.cluster.write connect.material.write " \
"library.project.read library.project.write cura.printjob.read cura.printjob.write " \
"cura.mesh.read cura.mesh.write"
@@ -71,13 +74,14 @@ class Account(QObject):
self._application = application
self._new_cloud_printers_detected = False
- self._error_message = None # type: Optional[Message]
+ self._error_message: Optional[Message] = None
self._logged_in = False
+ self._user_profile: Optional[UserProfile] = None
self._additional_rights: Dict[str, Any] = {}
self._sync_state = SyncState.IDLE
self._manual_sync_enabled = False
self._update_packages_enabled = False
- self._update_packages_action = None # type: Optional[Callable]
+ self._update_packages_action: Optional[Callable] = None
self._last_sync_str = "-"
self._callback_port = 32118
@@ -103,7 +107,7 @@ class Account(QObject):
self._update_timer.setSingleShot(True)
self._update_timer.timeout.connect(self.sync)
- self._sync_services = {} # type: Dict[str, int]
+ self._sync_services: Dict[str, int] = {}
"""contains entries "service_name" : SyncState"""
def initialize(self) -> None:
@@ -196,12 +200,17 @@ class Account(QObject):
self._logged_in = logged_in
self.loginStateChanged.emit(logged_in)
if logged_in:
+ self._authorization_service.getUserProfile(self._onProfileChanged)
self._setManualSyncEnabled(False)
self._sync()
else:
if self._update_timer.isActive():
self._update_timer.stop()
+ def _onProfileChanged(self, profile: Optional[UserProfile]) -> None:
+ self._user_profile = profile
+ self.userProfileChanged.emit()
+
def _sync(self) -> None:
"""Signals all sync services to start syncing
@@ -243,32 +252,28 @@ class Account(QObject):
return
self._authorization_service.startAuthorizationFlow(force_logout_before_login)
- @pyqtProperty(str, notify=loginStateChanged)
+ @pyqtProperty(str, notify = userProfileChanged)
def userName(self):
- user_profile = self._authorization_service.getUserProfile()
- if not user_profile:
- return None
- return user_profile.username
+ if not self._user_profile:
+ return ""
+ return self._user_profile.username
- @pyqtProperty(str, notify = loginStateChanged)
+ @pyqtProperty(str, notify = userProfileChanged)
def profileImageUrl(self):
- user_profile = self._authorization_service.getUserProfile()
- if not user_profile:
- return None
- return user_profile.profile_image_url
+ if not self._user_profile:
+ return ""
+ return self._user_profile.profile_image_url
@pyqtProperty(str, notify=accessTokenChanged)
def accessToken(self) -> Optional[str]:
return self._authorization_service.getAccessToken()
- @pyqtProperty("QVariantMap", notify = loginStateChanged)
+ @pyqtProperty("QVariantMap", notify = userProfileChanged)
def userProfile(self) -> Optional[Dict[str, Optional[str]]]:
"""None if no user is logged in otherwise the logged in user as a dict containing containing user_id, username and profile_image_url """
-
- user_profile = self._authorization_service.getUserProfile()
- if not user_profile:
+ if not self._user_profile:
return None
- return user_profile.__dict__
+ return self._user_profile.__dict__
@pyqtProperty(str, notify=lastSyncDateTimeChanged)
def lastSyncDateTime(self) -> str:
diff --git a/cura/ApplicationMetadata.py b/cura/ApplicationMetadata.py
index 70f36619e8..f367f61cc7 100644
--- a/cura/ApplicationMetadata.py
+++ b/cura/ApplicationMetadata.py
@@ -1,4 +1,4 @@
-# Copyright (c) 2020 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
# ---------
@@ -13,7 +13,7 @@ DEFAULT_CURA_DEBUG_MODE = False
# Each release has a fixed SDK version coupled with it. It doesn't make sense to make it configurable because, for
# example Cura 3.2 with SDK version 6.1 will not work. So the SDK version is hard-coded here and left out of the
# CuraVersion.py.in template.
-CuraSDKVersion = "7.8.0"
+CuraSDKVersion = "7.9.0"
try:
from cura.CuraVersion import CuraAppName # type: ignore
@@ -46,6 +46,10 @@ except ImportError:
# Various convenience flags indicating what kind of Cura build it is.
__ENTERPRISE_VERSION_TYPE = "enterprise"
IsEnterpriseVersion = CuraBuildType.lower() == __ENTERPRISE_VERSION_TYPE
+IsAlternateVersion = CuraBuildType.lower() not in [DEFAULT_CURA_BUILD_TYPE, __ENTERPRISE_VERSION_TYPE]
+# NOTE: IsAlternateVersion is to make it possibile to have 'non-numbered' versions, at least as presented to the user.
+# (Internally, it'll still have some sort of version-number, but the user is never meant to see it in the GUI).
+# Warning: This will also change (some of) the icons/splash-screen to the 'work in progress' alternatives!
try:
from cura.CuraVersion import CuraAppDisplayName # type: ignore
diff --git a/cura/Arranging/Nest2DArrange.py b/cura/Arranging/Nest2DArrange.py
index ebe96202f2..dad67ba161 100644
--- a/cura/Arranging/Nest2DArrange.py
+++ b/cura/Arranging/Nest2DArrange.py
@@ -91,7 +91,7 @@ def findNodePlacement(nodes_to_arrange: List["SceneNode"], build_volume: "BuildV
if hull_polygon is not None and hull_polygon.getPoints() is not None and len(hull_polygon.getPoints()) > 2: # numpy array has to be explicitly checked against None
for point in hull_polygon.getPoints():
- converted_points.append(Point(point[0] * factor, point[1] * factor))
+ converted_points.append(Point(int(point[0] * factor), int(point[1] * factor)))
item = Item(converted_points)
item.markAsFixedInBin(0)
node_items.append(item)
@@ -159,4 +159,4 @@ def arrange(nodes_to_arrange: List["SceneNode"],
grouped_operation, not_fit_count = createGroupOperationForArrange(nodes_to_arrange, build_volume, fixed_nodes, factor, add_new_nodes_in_scene)
grouped_operation.push()
- return not_fit_count != 0
+ return not_fit_count == 0
diff --git a/cura/Backups/Backup.py b/cura/Backups/Backup.py
index 90a354c0a3..a5fc3044ce 100644
--- a/cura/Backups/Backup.py
+++ b/cura/Backups/Backup.py
@@ -181,8 +181,7 @@ class Backup:
return extracted
- @staticmethod
- def _extractArchive(archive: "ZipFile", target_path: str) -> bool:
+ def _extractArchive(self, archive: "ZipFile", target_path: str) -> bool:
"""Extract the whole archive to the given target path.
:param archive: The archive as ZipFile.
@@ -201,7 +200,11 @@ class Backup:
Resources.factoryReset()
Logger.log("d", "Extracting backup to location: %s", target_path)
name_list = archive.namelist()
+ ignore_string = re.compile("|".join(self.IGNORED_FILES + self.IGNORED_FOLDERS))
for archive_filename in name_list:
+ if ignore_string.search(archive_filename):
+ Logger.warning(f"File ({archive_filename}) in archive that doesn't fit current backup policy; ignored.")
+ continue
try:
archive.extract(archive_filename, target_path)
except (PermissionError, EnvironmentError):
diff --git a/cura/BuildVolume.py b/cura/BuildVolume.py
index e0c43c4876..fc5691f034 100755
--- a/cura/BuildVolume.py
+++ b/cura/BuildVolume.py
@@ -6,6 +6,7 @@ import math
from typing import List, Optional, TYPE_CHECKING, Any, Set, cast, Iterable, Dict
+from UM.Logger import Logger
from UM.Mesh.MeshData import MeshData
from UM.Mesh.MeshBuilder import MeshBuilder
@@ -65,6 +66,7 @@ class BuildVolume(SceneNode):
self._height = 0 # type: float
self._depth = 0 # type: float
self._shape = "" # type: str
+ self._scale_vector = Vector(1.0, 1.0, 1.0)
self._shader = None
@@ -289,7 +291,7 @@ class BuildVolume(SceneNode):
# Mark the node as outside build volume if the set extruder is disabled
extruder_position = node.callDecoration("getActiveExtruderPosition")
try:
- if not self._global_container_stack.extruderList[int(extruder_position)].isEnabled:
+ if not self._global_container_stack.extruderList[int(extruder_position)].isEnabled and not node.callDecoration("isGroup"):
node.setOutsideBuildArea(True)
continue
except IndexError: # Happens when the extruder list is too short. We're not done building the printer in memory yet.
@@ -512,6 +514,13 @@ class BuildVolume(SceneNode):
self._disallowed_area_size = max(size, self._disallowed_area_size)
return mb.build()
+ def _updateScaleFactor(self) -> None:
+ if not self._global_container_stack:
+ return
+ scale_xy = 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_xy", "value"))
+ scale_z = 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_z" , "value"))
+ self._scale_vector = Vector(scale_xy, scale_xy, scale_z)
+
def rebuild(self) -> None:
"""Recalculates the build volume & disallowed areas."""
@@ -553,9 +562,12 @@ class BuildVolume(SceneNode):
self._error_mesh = self._buildErrorMesh(min_w, max_w, min_h, max_h, min_d, max_d, disallowed_area_height)
+ self._updateScaleFactor()
+
self._volume_aabb = AxisAlignedBox(
- minimum = Vector(min_w, min_h - 1.0, min_d),
- maximum = Vector(max_w, max_h - self._raft_thickness - self._extra_z_clearance, max_d))
+ minimum = Vector(min_w, min_h - 1.0, min_d).scale(self._scale_vector),
+ maximum = Vector(max_w, max_h - self._raft_thickness - self._extra_z_clearance, max_d).scale(self._scale_vector)
+ )
bed_adhesion_size = self.getEdgeDisallowedSize()
@@ -563,15 +575,15 @@ class BuildVolume(SceneNode):
# This is probably wrong in all other cases. TODO!
# The +1 and -1 is added as there is always a bit of extra room required to work properly.
scale_to_max_bounds = AxisAlignedBox(
- minimum = Vector(min_w + bed_adhesion_size + 1, min_h, min_d + self._disallowed_area_size - bed_adhesion_size + 1),
- maximum = Vector(max_w - bed_adhesion_size - 1, max_h - self._raft_thickness - self._extra_z_clearance, max_d - self._disallowed_area_size + bed_adhesion_size - 1)
+ minimum = Vector(min_w + bed_adhesion_size + 1, min_h, min_d + self._disallowed_area_size - bed_adhesion_size + 1).scale(self._scale_vector),
+ maximum = Vector(max_w - bed_adhesion_size - 1, max_h - self._raft_thickness - self._extra_z_clearance, max_d - self._disallowed_area_size + bed_adhesion_size - 1).scale(self._scale_vector)
)
self._application.getController().getScene()._maximum_bounds = scale_to_max_bounds # type: ignore
self.updateNodeBoundaryCheck()
- def getBoundingBox(self):
+ def getBoundingBox(self) -> Optional[AxisAlignedBox]:
return self._volume_aabb
def getRaftThickness(self) -> float:
@@ -632,18 +644,18 @@ class BuildVolume(SceneNode):
for extruder in extruders:
extruder.propertyChanged.connect(self._onSettingPropertyChanged)
- self._width = self._global_container_stack.getProperty("machine_width", "value")
+ self._width = self._global_container_stack.getProperty("machine_width", "value") * self._scale_vector.x
machine_height = self._global_container_stack.getProperty("machine_height", "value")
if self._global_container_stack.getProperty("print_sequence", "value") == "one_at_a_time" and len(self._scene_objects) > 1:
- self._height = min(self._global_container_stack.getProperty("gantry_height", "value"), machine_height)
- if self._height < machine_height:
+ self._height = min(self._global_container_stack.getProperty("gantry_height", "value") * self._scale_vector.z, machine_height)
+ if self._height < (machine_height * self._scale_vector.z):
self._build_volume_message.show()
else:
self._build_volume_message.hide()
else:
self._height = self._global_container_stack.getProperty("machine_height", "value")
self._build_volume_message.hide()
- self._depth = self._global_container_stack.getProperty("machine_depth", "value")
+ self._depth = self._global_container_stack.getProperty("machine_depth", "value") * self._scale_vector.y
self._shape = self._global_container_stack.getProperty("machine_shape", "value")
self._updateDisallowedAreas()
@@ -677,18 +689,18 @@ class BuildVolume(SceneNode):
if setting_key == "print_sequence":
machine_height = self._global_container_stack.getProperty("machine_height", "value")
if self._application.getGlobalContainerStack().getProperty("print_sequence", "value") == "one_at_a_time" and len(self._scene_objects) > 1:
- self._height = min(self._global_container_stack.getProperty("gantry_height", "value"), machine_height)
- if self._height < machine_height:
+ self._height = min(self._global_container_stack.getProperty("gantry_height", "value") * self._scale_vector.z, machine_height)
+ if self._height < (machine_height * self._scale_vector.z):
self._build_volume_message.show()
else:
self._build_volume_message.hide()
else:
- self._height = self._global_container_stack.getProperty("machine_height", "value")
+ self._height = self._global_container_stack.getProperty("machine_height", "value") * self._scale_vector.z
self._build_volume_message.hide()
update_disallowed_areas = True
# sometimes the machine size or shape settings are adjusted on the active machine, we should reflect this
- if setting_key in self._machine_settings:
+ if setting_key in self._machine_settings or setting_key in self._material_size_settings:
self._updateMachineSizeProperties()
update_extra_z_clearance = True
update_disallowed_areas = True
@@ -737,9 +749,10 @@ class BuildVolume(SceneNode):
def _updateMachineSizeProperties(self) -> None:
if not self._global_container_stack:
return
- self._height = self._global_container_stack.getProperty("machine_height", "value")
- self._width = self._global_container_stack.getProperty("machine_width", "value")
- self._depth = self._global_container_stack.getProperty("machine_depth", "value")
+ self._updateScaleFactor()
+ self._height = self._global_container_stack.getProperty("machine_height", "value") * self._scale_vector.z
+ self._width = self._global_container_stack.getProperty("machine_width", "value") * self._scale_vector.x
+ self._depth = self._global_container_stack.getProperty("machine_depth", "value") * self._scale_vector.y
self._shape = self._global_container_stack.getProperty("machine_shape", "value")
def _updateDisallowedAreasAndRebuild(self):
@@ -756,6 +769,14 @@ class BuildVolume(SceneNode):
self._extra_z_clearance = self._calculateExtraZClearance(ExtruderManager.getInstance().getUsedExtruderStacks())
self.rebuild()
+ def _scaleAreas(self, result_areas: List[Polygon]) -> None:
+ if self._global_container_stack is None:
+ return
+ for i, polygon in enumerate(result_areas):
+ result_areas[i] = polygon.scale(
+ 100.0 / max(100.0, self._global_container_stack.getProperty("material_shrinkage_percentage_xy", "value"))
+ )
+
def _updateDisallowedAreas(self) -> None:
if not self._global_container_stack:
return
@@ -811,9 +832,11 @@ class BuildVolume(SceneNode):
self._disallowed_areas = []
for extruder_id in result_areas:
+ self._scaleAreas(result_areas[extruder_id])
self._disallowed_areas.extend(result_areas[extruder_id])
self._disallowed_areas_no_brim = []
for extruder_id in result_areas_no_brim:
+ self._scaleAreas(result_areas_no_brim[extruder_id])
self._disallowed_areas_no_brim.extend(result_areas_no_brim[extruder_id])
def _computeDisallowedAreasPrinted(self, used_extruders):
@@ -1078,7 +1101,11 @@ class BuildVolume(SceneNode):
# setting does *not* have a limit_to_extruder setting (which means that we can't ask the global extruder what
# the value is.
adhesion_extruder = self._global_container_stack.getProperty("adhesion_extruder_nr", "value")
- adhesion_stack = self._global_container_stack.extruderList[int(adhesion_extruder)]
+ try:
+ adhesion_stack = self._global_container_stack.extruderList[int(adhesion_extruder)]
+ except IndexError:
+ Logger.warning(f"Couldn't find extruder with index '{adhesion_extruder}', defaulting to 0 instead.")
+ adhesion_stack = self._global_container_stack.extruderList[0]
skirt_brim_line_width = adhesion_stack.getProperty("skirt_brim_line_width", "value")
initial_layer_line_width_factor = adhesion_stack.getProperty("initial_layer_line_width_factor", "value")
@@ -1195,4 +1222,5 @@ class BuildVolume(SceneNode):
_distance_settings = ["infill_wipe_dist", "travel_avoid_distance", "support_offset", "support_enable", "travel_avoid_other_parts", "travel_avoid_supports", "wall_line_count", "wall_line_width_0", "wall_line_width_x"]
_extruder_settings = ["support_enable", "support_bottom_enable", "support_roof_enable", "support_infill_extruder_nr", "support_extruder_nr_layer_0", "support_bottom_extruder_nr", "support_roof_extruder_nr", "brim_line_count", "adhesion_extruder_nr", "adhesion_type"] #Settings that can affect which extruders are used.
_limit_to_extruder_settings = ["wall_extruder_nr", "wall_0_extruder_nr", "wall_x_extruder_nr", "top_bottom_extruder_nr", "infill_extruder_nr", "support_infill_extruder_nr", "support_extruder_nr_layer_0", "support_bottom_extruder_nr", "support_roof_extruder_nr", "adhesion_extruder_nr"]
- _disallowed_area_settings = _skirt_settings + _prime_settings + _tower_settings + _ooze_shield_settings + _distance_settings + _extruder_settings
+ _material_size_settings = ["material_shrinkage_percentage", "material_shrinkage_percentage_xy", "material_shrinkage_percentage_z"]
+ _disallowed_area_settings = _skirt_settings + _prime_settings + _tower_settings + _ooze_shield_settings + _distance_settings + _extruder_settings + _material_size_settings
diff --git a/cura/CrashHandler.py b/cura/CrashHandler.py
index db44daa77c..c911a42350 100644
--- a/cura/CrashHandler.py
+++ b/cura/CrashHandler.py
@@ -12,10 +12,12 @@ import json
import locale
from typing import cast, Any
+import sentry_sdk
+
try:
from sentry_sdk.hub import Hub
from sentry_sdk.utils import event_from_exception
- from sentry_sdk import configure_scope
+ from sentry_sdk import configure_scope, add_breadcrumb
with_sentry_sdk = True
except ImportError:
with_sentry_sdk = False
@@ -424,6 +426,13 @@ class CrashHandler:
if with_sentry_sdk:
try:
hub = Hub.current
+ if not Logger.getLoggers():
+ # No loggers have been loaded yet, so we don't have any breadcrumbs :(
+ # So add them manually so we at least have some info...
+ add_breadcrumb(level = "info", message = "SentryLogging was not initialised yet")
+ for log_type, line in Logger.getUnloggedLines():
+ add_breadcrumb(message=line)
+
event, hint = event_from_exception((self.exception_type, self.value, self.traceback))
hub.capture_event(event, hint=hint)
hub.flush()
diff --git a/cura/CuraApplication.py b/cura/CuraApplication.py
index 3d4ec1209f..ca708709aa 100755
--- a/cura/CuraApplication.py
+++ b/cura/CuraApplication.py
@@ -152,16 +152,17 @@ class CuraApplication(QtApplication):
def __init__(self, *args, **kwargs):
super().__init__(name = ApplicationMetadata.CuraAppName,
app_display_name = ApplicationMetadata.CuraAppDisplayName,
- version = ApplicationMetadata.CuraVersion,
+ version = ApplicationMetadata.CuraVersion if not ApplicationMetadata.IsAlternateVersion else ApplicationMetadata.CuraBuildType,
api_version = ApplicationMetadata.CuraSDKVersion,
build_type = ApplicationMetadata.CuraBuildType,
is_debug_mode = ApplicationMetadata.CuraDebugMode,
- tray_icon_name = "cura-icon-32.png",
+ tray_icon_name = "cura-icon-32.png" if not ApplicationMetadata.IsAlternateVersion else "cura-icon-32_wip.png",
**kwargs)
self.default_theme = "cura-light"
self.change_log_url = "https://ultimaker.com/ultimaker-cura-latest-features?utm_source=cura&utm_medium=software&utm_campaign=cura-update-features"
+ self.beta_change_log_url = "https://ultimaker.com/ultimaker-cura-beta-features?utm_source=cura&utm_medium=software&utm_campaign=cura-update-features"
self._boot_loading_time = time.time()
@@ -483,7 +484,7 @@ class CuraApplication(QtApplication):
if not self.getIsHeadLess():
try:
- self.setWindowIcon(QIcon(Resources.getPath(Resources.Images, "cura-icon.png")))
+ self.setWindowIcon(QIcon(Resources.getPath(Resources.Images, "cura-icon.png" if not ApplicationMetadata.IsAlternateVersion else "cura-icon_wip.png")))
except FileNotFoundError:
Logger.log("w", "Unable to find the window icon.")
@@ -716,6 +717,7 @@ class CuraApplication(QtApplication):
for extruder in global_stack.extruderList:
extruder.userChanges.clear()
global_stack.userChanges.clear()
+ self.getMachineManager().correctExtruderSettings()
# if the user decided to keep settings then the user settings should be re-calculated and validated for errors
# before slicing. To ensure that slicer uses right settings values
@@ -775,10 +777,14 @@ class CuraApplication(QtApplication):
lib_suffixes = {""}
for suffix in lib_suffixes:
self._plugin_registry.addPluginLocation(os.path.join(QtApplication.getInstallPrefix(), "lib" + suffix, "cura"))
+
if not hasattr(sys, "frozen"):
self._plugin_registry.addPluginLocation(os.path.join(os.path.abspath(os.path.dirname(__file__)), "..", "plugins"))
self._plugin_registry.preloaded_plugins.append("ConsoleLogger")
+ # Since it's possible to get crashes in code before the sentrylogger is loaded, we want to start this plugin
+ # as quickly as possible, as we might get unsolvable crash reports without it.
+ self._plugin_registry.preloaded_plugins.append("SentryLogger")
self._plugin_registry.loadPlugins()
if self.getBackend() is None:
diff --git a/cura/Machines/Models/GlobalStacksModel.py b/cura/Machines/Models/GlobalStacksModel.py
index 712597c2e7..f27a1ec00b 100644
--- a/cura/Machines/Models/GlobalStacksModel.py
+++ b/cura/Machines/Models/GlobalStacksModel.py
@@ -1,7 +1,8 @@
-# Copyright (c) 2018 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
-from PyQt5.QtCore import Qt, QTimer
+from PyQt5.QtCore import Qt, QTimer, pyqtProperty, pyqtSignal
+from typing import List, Optional
from UM.Qt.ListModel import ListModel
from UM.i18n import i18nCatalog
@@ -10,6 +11,7 @@ from UM.Util import parseBool
from cura.PrinterOutput.PrinterOutputDevice import ConnectionType
from cura.Settings.CuraContainerRegistry import CuraContainerRegistry
from cura.Settings.GlobalStack import GlobalStack
+from cura.UltimakerCloud.UltimakerCloudConstants import META_CAPABILITIES # To filter on the printer's capabilities.
class GlobalStacksModel(ListModel):
@@ -20,6 +22,7 @@ class GlobalStacksModel(ListModel):
MetaDataRole = Qt.UserRole + 5
DiscoverySourceRole = Qt.UserRole + 6 # For separating local and remote printers in the machine management page
RemovalWarningRole = Qt.UserRole + 7
+ IsOnlineRole = Qt.UserRole + 8
def __init__(self, parent = None) -> None:
super().__init__(parent)
@@ -31,18 +34,70 @@ class GlobalStacksModel(ListModel):
self.addRoleName(self.HasRemoteConnectionRole, "hasRemoteConnection")
self.addRoleName(self.MetaDataRole, "metadata")
self.addRoleName(self.DiscoverySourceRole, "discoverySource")
+ self.addRoleName(self.IsOnlineRole, "isOnline")
self._change_timer = QTimer()
self._change_timer.setInterval(200)
self._change_timer.setSingleShot(True)
self._change_timer.timeout.connect(self._update)
+ self._filter_connection_type = None # type: Optional[ConnectionType]
+ self._filter_online_only = False
+ self._filter_capabilities: List[str] = [] # Required capabilities that all listed printers must have.
+
# Listen to changes
CuraContainerRegistry.getInstance().containerAdded.connect(self._onContainerChanged)
CuraContainerRegistry.getInstance().containerMetaDataChanged.connect(self._onContainerChanged)
CuraContainerRegistry.getInstance().containerRemoved.connect(self._onContainerChanged)
self._updateDelayed()
+ filterConnectionTypeChanged = pyqtSignal()
+ filterCapabilitiesChanged = pyqtSignal()
+ filterOnlineOnlyChanged = pyqtSignal()
+
+ def setFilterConnectionType(self, new_filter: Optional[ConnectionType]) -> None:
+ if self._filter_connection_type != new_filter:
+ self._filter_connection_type = new_filter
+ self.filterConnectionTypeChanged.emit()
+
+ @pyqtProperty(int, fset = setFilterConnectionType, notify = filterConnectionTypeChanged)
+ def filterConnectionType(self) -> int:
+ """
+ The connection type to filter the list of printers by.
+
+ Only printers that match this connection type will be listed in the
+ model.
+ """
+ if self._filter_connection_type is None:
+ return -1
+ return self._filter_connection_type.value
+
+ def setFilterOnlineOnly(self, new_filter: bool) -> None:
+ if self._filter_online_only != new_filter:
+ self._filter_online_only = new_filter
+ self.filterOnlineOnlyChanged.emit()
+
+ @pyqtProperty(bool, fset = setFilterOnlineOnly, notify = filterOnlineOnlyChanged)
+ def filterOnlineOnly(self) -> bool:
+ """
+ Whether to filter the global stacks to show only printers that are online.
+ """
+ return self._filter_online_only
+
+ def setFilterCapabilities(self, new_filter: List[str]) -> None:
+ if self._filter_capabilities != new_filter:
+ self._filter_capabilities = new_filter
+ self.filterCapabilitiesChanged.emit()
+
+ @pyqtProperty("QStringList", fset = setFilterCapabilities, notify = filterCapabilitiesChanged)
+ def filterCapabilities(self) -> List[str]:
+ """
+ Capabilities to require on the list of printers.
+
+ Only printers that have all of these capabilities will be shown in this model.
+ """
+ return self._filter_capabilities
+
def _onContainerChanged(self, container) -> None:
"""Handler for container added/removed events from registry"""
@@ -58,6 +113,10 @@ class GlobalStacksModel(ListModel):
container_stacks = CuraContainerRegistry.getInstance().findContainerStacks(type = "machine")
for container_stack in container_stacks:
+ if self._filter_connection_type is not None: # We want to filter on connection types.
+ if not any((connection_type == self._filter_connection_type for connection_type in container_stack.configuredConnectionTypes)):
+ continue # No connection type on this printer matches the filter.
+
has_remote_connection = False
for connection_type in container_stack.configuredConnectionTypes:
@@ -67,6 +126,14 @@ class GlobalStacksModel(ListModel):
if parseBool(container_stack.getMetaDataEntry("hidden", False)):
continue
+ is_online = container_stack.getMetaDataEntry("is_online", False)
+ if self._filter_online_only and not is_online:
+ continue
+
+ capabilities = set(container_stack.getMetaDataEntry(META_CAPABILITIES, "").split(","))
+ if set(self._filter_capabilities) - capabilities: # Not all required capabilities are met.
+ continue
+
device_name = container_stack.getMetaDataEntry("group_name", container_stack.getName())
section_name = "Connected printers" if has_remote_connection else "Preset printers"
section_name = self._catalog.i18nc("@info:title", section_name)
@@ -82,6 +149,7 @@ class GlobalStacksModel(ListModel):
"hasRemoteConnection": has_remote_connection,
"metadata": container_stack.getMetaData().copy(),
"discoverySource": section_name,
- "removalWarning": removal_warning})
+ "removalWarning": removal_warning,
+ "isOnline": is_online})
items.sort(key=lambda i: (not i["hasRemoteConnection"], i["name"]))
self.setItems(items)
diff --git a/cura/Machines/Models/IntentCategoryModel.py b/cura/Machines/Models/IntentCategoryModel.py
index 09a71b8ed6..aeb1f878ca 100644
--- a/cura/Machines/Models/IntentCategoryModel.py
+++ b/cura/Machines/Models/IntentCategoryModel.py
@@ -106,11 +106,15 @@ class IntentCategoryModel(ListModel):
for category in available_categories:
qualities = IntentModel()
qualities.setIntentCategory(category)
+ try:
+ weight = list(IntentCategoryModel._get_translations().keys()).index(category)
+ except ValueError:
+ weight = 99
result.append({
- "name": IntentCategoryModel.translation(category, "name", catalog.i18nc("@label", "Unknown")),
+ "name": IntentCategoryModel.translation(category, "name", category),
"description": IntentCategoryModel.translation(category, "description", None),
"intent_category": category,
- "weight": list(IntentCategoryModel._get_translations().keys()).index(category),
+ "weight": weight,
"qualities": qualities
})
result.sort(key = lambda k: k["weight"])
diff --git a/cura/Machines/Models/MaterialManagementModel.py b/cura/Machines/Models/MaterialManagementModel.py
index 5c6baaf55f..76b2c5b444 100644
--- a/cura/Machines/Models/MaterialManagementModel.py
+++ b/cura/Machines/Models/MaterialManagementModel.py
@@ -2,21 +2,21 @@
# Cura is released under the terms of the LGPLv3 or higher.
import copy # To duplicate materials.
-from PyQt5.QtCore import pyqtProperty, pyqtSignal, pyqtSlot, QObject, QUrl
+from PyQt5.QtCore import pyqtSignal, pyqtSlot, QObject, QUrl
+from PyQt5.QtGui import QDesktopServices
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 PyQt5.QtGui import QDesktopServices
+from UM.Message import Message
from UM.i18n import i18nCatalog
from UM.Logger import Logger
-from UM.Message import Message
+from UM.Resources import Resources # To find QML files.
from UM.Signal import postponeSignals, CompressTechnique
-import cura.CuraApplication # Imported like this to prevent circular imports.
+import cura.CuraApplication # Imported like this to prevent cirmanagecular imports.
from cura.Machines.ContainerTree import ContainerTree
from cura.Settings.CuraContainerRegistry import CuraContainerRegistry # To find the sets of materials belonging to each other, and currently loaded extruder stacks.
+from cura.UltimakerCloud.CloudMaterialSync import CloudMaterialSync
if TYPE_CHECKING:
from cura.Machines.MaterialNode import MaterialNode
@@ -33,6 +33,7 @@ class MaterialManagementModel(QObject):
def __init__(self, parent: Optional[QObject] = None) -> None:
super().__init__(parent = parent)
+ self._material_sync = CloudMaterialSync(parent=self)
self._checkIfNewMaterialsWereInstalled()
def _checkIfNewMaterialsWereInstalled(self) -> None:
@@ -44,7 +45,8 @@ class MaterialManagementModel(QObject):
for package_id, package_data in application.getPackageManager().getPackagesInstalledOnStartup().items():
if package_data["package_info"]["package_type"] == "material":
# At least one new material was installed
- self._showSyncNewMaterialsMessage()
+ # TODO: This should be enabled again once CURA-8609 is merged
+ #self._showSyncNewMaterialsMessage()
break
def _showSyncNewMaterialsMessage(self) -> None:
@@ -88,6 +90,7 @@ class MaterialManagementModel(QObject):
elif sync_message_action == "learn_more":
QDesktopServices.openUrl(QUrl("https://support.ultimaker.com/hc/en-us/articles/360013137919?utm_source=cura&utm_medium=software&utm_campaign=sync-material-printer-message"))
+
@pyqtSlot("QVariant", result = bool)
def canMaterialBeRemoved(self, material_node: "MaterialNode") -> bool:
"""Can a certain material be deleted, or is it still in use in one of the container stacks anywhere?
@@ -322,52 +325,10 @@ class MaterialManagementModel(QObject):
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))
- @pyqtSlot(result = QUrl)
- def getPreferredExportAllPath(self) -> QUrl:
+ @pyqtSlot()
+ def openSyncAllWindow(self) -> None:
"""
- Get the preferred path to export materials to.
+ Opens the window to sync all materials.
+ """
+ self._material_sync.openSyncAllWindow()
- 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.
- """
- cura_application = cura.CuraApplication.CuraApplication.getInstance()
- device_manager = cura_application.getOutputDeviceManager()
- devices = device_manager.getOutputDevices()
- for device in devices:
- if device.__class__.__name__ == "RemovableDriveOutputDevice":
- return QUrl.fromLocalFile(device.getId())
- else: # No removable drives? Use local path.
- return cura_application.getDefaultPath("dialog_material_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()
-
- try:
- archive = zipfile.ZipFile(file_path.toLocalFile(), "w", compression = zipfile.ZIP_DEFLATED)
- except OSError as e:
- Logger.log("e", f"Can't write to destination {file_path.toLocalFile()}: {type(e)} - {str(e)}")
- error_message = Message(
- text = catalog.i18nc("@message:text", "Could not save material archive to {}:").format(file_path.toLocalFile()) + " " + str(e),
- title = catalog.i18nc("@message:title", "Failed to save material archive"),
- message_type = Message.MessageType.ERROR
- )
- error_message.show()
- return
- 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
- try:
- archive.writestr(filename, material.serialize())
- except OSError as e:
- Logger.log("e", f"An error has occurred while writing the material \'{metadata['id']}\' in the file \'{filename}\': {e}.")
diff --git a/cura/Machines/Models/QualityManagementModel.py b/cura/Machines/Models/QualityManagementModel.py
index df12b16c15..63c1ead29d 100644
--- a/cura/Machines/Models/QualityManagementModel.py
+++ b/cura/Machines/Models/QualityManagementModel.py
@@ -361,8 +361,15 @@ class QualityManagementModel(ListModel):
"section_name": catalog.i18nc("@label", intent_translations.get(intent_category, {}).get("name", catalog.i18nc("@label", "Unknown"))),
})
# Sort by quality_type for each intent category
+ intent_translations_list = list(intent_translations)
- result = sorted(result, key = lambda x: (list(intent_translations).index(x["intent_category"]), x["quality_type"]))
+ def getIntentWeight(intent_category):
+ try:
+ return intent_translations_list.index(intent_category)
+ except ValueError:
+ return 99
+
+ result = sorted(result, key = lambda x: (getIntentWeight(x["intent_category"]), x["quality_type"]))
item_list += result
# Create quality_changes group items
diff --git a/cura/OAuth2/AuthorizationHelpers.py b/cura/OAuth2/AuthorizationHelpers.py
index d6f4980fe4..77e3c66c11 100644
--- a/cura/OAuth2/AuthorizationHelpers.py
+++ b/cura/OAuth2/AuthorizationHelpers.py
@@ -1,18 +1,19 @@
# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
-from datetime import datetime
-import json
-import secrets
-from hashlib import sha512
from base64 import b64encode
-from typing import Optional
-import requests
-
-from UM.i18n import i18nCatalog
-from UM.Logger import Logger
+from datetime import datetime
+from hashlib import sha512
+from PyQt5.QtNetwork import QNetworkReply
+import secrets
+from typing import Callable, Optional
+import urllib.parse
from cura.OAuth2.Models import AuthenticationResponse, UserProfile, OAuth2Settings
+from UM.i18n import i18nCatalog
+from UM.Logger import Logger
+from UM.TaskManagement.HttpRequestManager import HttpRequestManager # To download log-in tokens.
+
catalog = i18nCatalog("cura")
TOKEN_TIMESTAMP_FORMAT = "%Y-%m-%d %H:%M:%S"
@@ -30,14 +31,13 @@ class AuthorizationHelpers:
return self._settings
- def getAccessTokenUsingAuthorizationCode(self, authorization_code: str, verification_code: str) -> "AuthenticationResponse":
- """Request the access token from the authorization server.
-
+ def getAccessTokenUsingAuthorizationCode(self, authorization_code: str, verification_code: str, callback: Callable[[AuthenticationResponse], None]) -> None:
+ """
+ Request the access token from the authorization server.
:param authorization_code: The authorization code from the 1st step.
:param verification_code: The verification code needed for the PKCE extension.
- :return: An AuthenticationResponse object.
+ :param callback: Once the token has been obtained, this function will be called with the response.
"""
-
data = {
"client_id": self._settings.CLIENT_ID if self._settings.CLIENT_ID is not None else "",
"redirect_uri": self._settings.CALLBACK_URL if self._settings.CALLBACK_URL is not None else "",
@@ -46,18 +46,21 @@ class AuthorizationHelpers:
"code_verifier": verification_code,
"scope": self._settings.CLIENT_SCOPES if self._settings.CLIENT_SCOPES is not None else "",
}
- try:
- return self.parseTokenResponse(requests.post(self._token_url, data = data)) # type: ignore
- except requests.exceptions.ConnectionError as connection_error:
- return AuthenticationResponse(success = False, err_message = f"Unable to connect to remote server: {connection_error}")
+ headers = {"Content-type": "application/x-www-form-urlencoded"}
+ HttpRequestManager.getInstance().post(
+ self._token_url,
+ data = urllib.parse.urlencode(data).encode("UTF-8"),
+ headers_dict = headers,
+ callback = lambda response: self.parseTokenResponse(response, callback),
+ error_callback = lambda response, _: self.parseTokenResponse(response, callback)
+ )
- def getAccessTokenUsingRefreshToken(self, refresh_token: str) -> "AuthenticationResponse":
- """Request the access token from the authorization server using a refresh token.
-
- :param refresh_token:
- :return: An AuthenticationResponse object.
+ def getAccessTokenUsingRefreshToken(self, refresh_token: str, callback: Callable[[AuthenticationResponse], None]) -> None:
+ """
+ Request the access token from the authorization server using a refresh token.
+ :param refresh_token: A long-lived token used to refresh the authentication token.
+ :param callback: Once the token has been obtained, this function will be called with the response.
"""
-
Logger.log("d", "Refreshing the access token for [%s]", self._settings.OAUTH_SERVER_URL)
data = {
"client_id": self._settings.CLIENT_ID if self._settings.CLIENT_ID is not None else "",
@@ -66,75 +69,99 @@ class AuthorizationHelpers:
"refresh_token": refresh_token,
"scope": self._settings.CLIENT_SCOPES if self._settings.CLIENT_SCOPES is not None else "",
}
- try:
- return self.parseTokenResponse(requests.post(self._token_url, data = data)) # type: ignore
- except requests.exceptions.ConnectionError:
- return AuthenticationResponse(success = False, err_message = "Unable to connect to remote server")
- except OSError as e:
- return AuthenticationResponse(success = False, err_message = "Operating system is unable to set up a secure connection: {err}".format(err = str(e)))
+ headers = {"Content-type": "application/x-www-form-urlencoded"}
+ HttpRequestManager.getInstance().post(
+ self._token_url,
+ data = urllib.parse.urlencode(data).encode("UTF-8"),
+ headers_dict = headers,
+ callback = lambda response: self.parseTokenResponse(response, callback),
+ error_callback = lambda response, _: self.parseTokenResponse(response, callback)
+ )
- @staticmethod
- def parseTokenResponse(token_response: requests.models.Response) -> "AuthenticationResponse":
+ def parseTokenResponse(self, token_response: QNetworkReply, callback: Callable[[AuthenticationResponse], None]) -> None:
"""Parse the token response from the authorization server into an AuthenticationResponse object.
:param token_response: The JSON string data response from the authorization server.
:return: An AuthenticationResponse object.
"""
-
- token_data = None
-
- try:
- token_data = json.loads(token_response.text)
- except ValueError:
- Logger.log("w", "Could not parse token response data: %s", token_response.text)
-
+ token_data = HttpRequestManager.readJSON(token_response)
if not token_data:
- return AuthenticationResponse(success = False, err_message = catalog.i18nc("@message", "Could not read response."))
+ callback(AuthenticationResponse(success = False, err_message = catalog.i18nc("@message", "Could not read response.")))
+ return
- if token_response.status_code not in (200, 201):
- return AuthenticationResponse(success = False, err_message = token_data["error_description"])
+ if token_response.error() != QNetworkReply.NetworkError.NoError:
+ callback(AuthenticationResponse(success = False, err_message = token_data["error_description"]))
+ return
- return AuthenticationResponse(success=True,
- token_type=token_data["token_type"],
- access_token=token_data["access_token"],
- refresh_token=token_data["refresh_token"],
- expires_in=token_data["expires_in"],
- scope=token_data["scope"],
- received_at=datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT))
+ callback(AuthenticationResponse(success = True,
+ token_type = token_data["token_type"],
+ access_token = token_data["access_token"],
+ refresh_token = token_data["refresh_token"],
+ expires_in = token_data["expires_in"],
+ scope = token_data["scope"],
+ received_at = datetime.now().strftime(TOKEN_TIMESTAMP_FORMAT)))
+ return
- def parseJWT(self, access_token: str) -> Optional["UserProfile"]:
+ def checkToken(self, access_token: str, success_callback: Optional[Callable[[UserProfile], None]] = None, failed_callback: Optional[Callable[[], None]] = None) -> None:
"""Calls the authentication API endpoint to get the token data.
+ The API is called asynchronously. When a response is given, the callback is called with the user's profile.
:param access_token: The encoded JWT token.
- :return: Dict containing some profile data.
+ :param success_callback: When a response is given, this function will be called with a user profile. If None,
+ there will not be a callback.
+ :param failed_callback: When the request failed or the response didn't parse, this function will be called.
"""
-
- try:
- check_token_url = "{}/check-token".format(self._settings.OAUTH_SERVER_URL)
- Logger.log("d", "Checking the access token for [%s]", check_token_url)
- token_request = requests.get(check_token_url, headers = {
- "Authorization": "Bearer {}".format(access_token)
- })
- except (requests.exceptions.ConnectionError, requests.exceptions.Timeout):
- # Connection was suddenly dropped. Nothing we can do about that.
- Logger.logException("w", "Something failed while attempting to parse the JWT token")
- return None
- if token_request.status_code not in (200, 201):
- Logger.log("w", "Could not retrieve token data from auth server: %s", token_request.text)
- return None
- user_data = token_request.json().get("data")
- if not user_data or not isinstance(user_data, dict):
- Logger.log("w", "Could not parse user data from token: %s", user_data)
- return None
-
- return UserProfile(
- user_id = user_data["user_id"],
- username = user_data["username"],
- profile_image_url = user_data.get("profile_image_url", ""),
- organization_id = user_data.get("organization", {}).get("organization_id"),
- subscriptions = user_data.get("subscriptions", [])
+ check_token_url = "{}/check-token".format(self._settings.OAUTH_SERVER_URL)
+ Logger.log("d", "Checking the access token for [%s]", check_token_url)
+ headers = {
+ "Authorization": f"Bearer {access_token}"
+ }
+ HttpRequestManager.getInstance().get(
+ check_token_url,
+ headers_dict = headers,
+ callback = lambda reply: self._parseUserProfile(reply, success_callback, failed_callback),
+ error_callback = lambda _, _2: failed_callback() if failed_callback is not None else None
)
+ def _parseUserProfile(self, reply: QNetworkReply, success_callback: Optional[Callable[[UserProfile], None]], failed_callback: Optional[Callable[[], None]] = None) -> None:
+ """
+ Parses the user profile from a reply to /check-token.
+
+ If the response is valid, the callback will be called to return the user profile to the caller.
+ :param reply: A network reply to a request to the /check-token URL.
+ :param success_callback: A function to call once a user profile was successfully obtained.
+ :param failed_callback: A function to call if parsing the profile failed.
+ """
+ if reply.error() != QNetworkReply.NetworkError.NoError:
+ Logger.warning(f"Could not access account information. QNetworkError {reply.errorString()}")
+ if failed_callback is not None:
+ failed_callback()
+ return
+
+ profile_data = HttpRequestManager.getInstance().readJSON(reply)
+ if profile_data is None or "data" not in profile_data:
+ Logger.warning("Could not parse user data from token.")
+ if failed_callback is not None:
+ failed_callback()
+ return
+ profile_data = profile_data["data"]
+
+ required_fields = {"user_id", "username"}
+ if "user_id" not in profile_data or "username" not in profile_data:
+ Logger.warning(f"User data missing required field(s): {required_fields - set(profile_data.keys())}")
+ if failed_callback is not None:
+ failed_callback()
+ return
+
+ if success_callback is not None:
+ success_callback(UserProfile(
+ user_id = profile_data["user_id"],
+ username = profile_data["username"],
+ profile_image_url = profile_data.get("profile_image_url", ""),
+ organization_id = profile_data.get("organization", {}).get("organization_id"),
+ subscriptions = profile_data.get("subscriptions", [])
+ ))
+
@staticmethod
def generateVerificationCode(code_length: int = 32) -> str:
"""Generate a verification code of arbitrary length.
diff --git a/cura/OAuth2/AuthorizationRequestHandler.py b/cura/OAuth2/AuthorizationRequestHandler.py
index c7ce9b6faf..f303980e3c 100644
--- a/cura/OAuth2/AuthorizationRequestHandler.py
+++ b/cura/OAuth2/AuthorizationRequestHandler.py
@@ -2,6 +2,7 @@
# Cura is released under the terms of the LGPLv3 or higher.
from http.server import BaseHTTPRequestHandler
+from threading import Lock # To turn an asynchronous call synchronous.
from typing import Optional, Callable, Tuple, Dict, Any, List, TYPE_CHECKING
from urllib.parse import parse_qs, urlparse
@@ -14,6 +15,7 @@ if TYPE_CHECKING:
catalog = i18nCatalog("cura")
+
class AuthorizationRequestHandler(BaseHTTPRequestHandler):
"""This handler handles all HTTP requests on the local web server.
@@ -24,11 +26,11 @@ class AuthorizationRequestHandler(BaseHTTPRequestHandler):
super().__init__(request, client_address, server)
# These values will be injected by the HTTPServer that this handler belongs to.
- self.authorization_helpers = None # type: Optional[AuthorizationHelpers]
- self.authorization_callback = None # type: Optional[Callable[[AuthenticationResponse], None]]
- self.verification_code = None # type: Optional[str]
+ self.authorization_helpers: Optional[AuthorizationHelpers] = None
+ self.authorization_callback: Optional[Callable[[AuthenticationResponse], None]] = None
+ self.verification_code: Optional[str] = None
- self.state = None # type: Optional[str]
+ self.state: Optional[str] = None
# CURA-6609: Some browser seems to issue a HEAD instead of GET request as the callback.
def do_HEAD(self) -> None:
@@ -70,13 +72,23 @@ class AuthorizationRequestHandler(BaseHTTPRequestHandler):
if state != self.state:
token_response = AuthenticationResponse(
success = False,
- err_message=catalog.i18nc("@message",
- "The provided state is not correct.")
+ err_message = catalog.i18nc("@message", "The provided state is not correct.")
)
elif code and self.authorization_helpers is not None and self.verification_code is not None:
+ token_response = AuthenticationResponse(
+ success = False,
+ err_message = catalog.i18nc("@message", "Timeout when authenticating with the account server.")
+ )
# If the code was returned we get the access token.
- token_response = self.authorization_helpers.getAccessTokenUsingAuthorizationCode(
- code, self.verification_code)
+ lock = Lock()
+ lock.acquire()
+
+ def callback(response: AuthenticationResponse) -> None:
+ nonlocal token_response
+ token_response = response
+ lock.release()
+ self.authorization_helpers.getAccessTokenUsingAuthorizationCode(code, self.verification_code, callback)
+ lock.acquire(timeout = 60) # Block thread until request is completed (which releases the lock). If not acquired, the timeout message stays.
elif self._queryGet(query, "error_code") == "user_denied":
# Otherwise we show an error message (probably the user clicked "Deny" in the auth dialog).
diff --git a/cura/OAuth2/AuthorizationService.py b/cura/OAuth2/AuthorizationService.py
index 291845fd78..0343af68a8 100644
--- a/cura/OAuth2/AuthorizationService.py
+++ b/cura/OAuth2/AuthorizationService.py
@@ -3,10 +3,9 @@
import json
from datetime import datetime, timedelta
-from typing import Optional, TYPE_CHECKING, Dict
+from typing import Callable, Dict, Optional, TYPE_CHECKING, Union
from urllib.parse import urlencode, quote_plus
-import requests.exceptions
from PyQt5.QtCore import QUrl
from PyQt5.QtGui import QDesktopServices
@@ -16,7 +15,7 @@ from UM.Signal import Signal
from UM.i18n import i18nCatalog
from cura.OAuth2.AuthorizationHelpers import AuthorizationHelpers, TOKEN_TIMESTAMP_FORMAT
from cura.OAuth2.LocalAuthorizationServer import LocalAuthorizationServer
-from cura.OAuth2.Models import AuthenticationResponse
+from cura.OAuth2.Models import AuthenticationResponse, BaseModel
i18n_catalog = i18nCatalog("cura")
@@ -26,6 +25,7 @@ if TYPE_CHECKING:
MYCLOUD_LOGOFF_URL = "https://account.ultimaker.com/logoff?utm_source=cura&utm_medium=software&utm_campaign=change-account-before-adding-printers"
+
class AuthorizationService:
"""The authorization service is responsible for handling the login flow, storing user credentials and providing
account information.
@@ -43,12 +43,13 @@ class AuthorizationService:
self._settings = settings
self._auth_helpers = AuthorizationHelpers(settings)
self._auth_url = "{}/authorize".format(self._settings.OAUTH_SERVER_URL)
- self._auth_data = None # type: Optional[AuthenticationResponse]
- self._user_profile = None # type: Optional["UserProfile"]
+ self._auth_data: Optional[AuthenticationResponse] = None
+ self._user_profile: Optional["UserProfile"] = None
self._preferences = preferences
self._server = LocalAuthorizationServer(self._auth_helpers, self._onAuthStateChanged, daemon=True)
+ self._currently_refreshing_token = False # Whether we are currently in the process of refreshing auth. Don't make new requests while busy.
- self._unable_to_get_data_message = None # type: Optional[Message]
+ self._unable_to_get_data_message: Optional[Message] = None
self.onAuthStateChanged.connect(self._authChanged)
@@ -62,69 +63,80 @@ class AuthorizationService:
if self._preferences:
self._preferences.addPreference(self._settings.AUTH_DATA_PREFERENCE_KEY, "{}")
- def getUserProfile(self) -> Optional["UserProfile"]:
- """Get the user profile as obtained from the JWT (JSON Web Token).
+ def getUserProfile(self, callback: Optional[Callable[[Optional["UserProfile"]], None]] = None) -> None:
+ """
+ Get the user profile as obtained from the JWT (JSON Web Token).
- If the JWT is not yet parsed, calling this will take care of that.
-
- :return: UserProfile if a user is logged in, None otherwise.
+ If the JWT is not yet checked and parsed, calling this will take care of that.
+ :param callback: Once the user profile is obtained, this function will be called with the given user profile. If
+ the profile fails to be obtained, this function will be called with None.
See also: :py:method:`cura.OAuth2.AuthorizationService.AuthorizationService._parseJWT`
"""
+ if self._user_profile:
+ # We already obtained the profile. No need to make another request for it.
+ if callback is not None:
+ callback(self._user_profile)
+ return
- if not self._user_profile:
- # If no user profile was stored locally, we try to get it from JWT.
- try:
- self._user_profile = self._parseJWT()
- except requests.exceptions.ConnectionError:
- # Unable to get connection, can't login.
- Logger.logException("w", "Unable to validate user data with the remote server.")
- return None
+ # If no user profile was stored locally, we try to get it from JWT.
+ def store_profile(profile: Optional["UserProfile"]) -> None:
+ if profile is not None:
+ self._user_profile = profile
+ if callback is not None:
+ callback(profile)
+ elif self._auth_data:
+ # If there is no user profile from the JWT, we have to log in again.
+ Logger.warning("The user profile could not be loaded. The user must log in again!")
+ self.deleteAuthData()
+ if callback is not None:
+ callback(None)
+ else:
+ if callback is not None:
+ callback(None)
- if not self._user_profile and self._auth_data:
- # If there is still no user profile from the JWT, we have to log in again.
- Logger.log("w", "The user profile could not be loaded. The user must log in again!")
- self.deleteAuthData()
- return None
+ self._parseJWT(callback = store_profile)
- return self._user_profile
-
- def _parseJWT(self) -> Optional["UserProfile"]:
- """Tries to parse the JWT (JSON Web Token) data, which it does if all the needed data is there.
-
- :return: UserProfile if it was able to parse, None otherwise.
+ def _parseJWT(self, callback: Callable[[Optional["UserProfile"]], None]) -> None:
+ """
+ Tries to parse the JWT (JSON Web Token) data, which it does if all the needed data is there.
+ :param callback: A function to call asynchronously once the user profile has been obtained. It will be called
+ with `None` if it failed to obtain a user profile.
"""
if not self._auth_data or self._auth_data.access_token is None:
# If no auth data exists, we should always log in again.
- Logger.log("d", "There was no auth data or access token")
- return None
+ Logger.debug("There was no auth data or access token")
+ callback(None)
+ return
- try:
- user_data = self._auth_helpers.parseJWT(self._auth_data.access_token)
- except AttributeError:
- # THis might seem a bit double, but we get crash reports about this (CURA-2N2 in sentry)
- Logger.log("d", "There was no auth data or access token")
- return None
+ # When we checked the token we may get a user profile. This callback checks if that is a valid one and tries to refresh the token if it's not.
+ def check_user_profile(user_profile: Optional["UserProfile"]) -> None:
+ if user_profile:
+ # If the profile was found, we call it back immediately.
+ callback(user_profile)
+ return
+ # The JWT was expired or invalid and we should request a new one.
+ if self._auth_data is None or self._auth_data.refresh_token is None:
+ Logger.warning("There was no refresh token in the auth data.")
+ callback(None)
+ return
- if user_data:
- # If the profile was found, we return it immediately.
- return user_data
- # The JWT was expired or invalid and we should request a new one.
- if self._auth_data.refresh_token is None:
- Logger.log("w", "There was no refresh token in the auth data.")
- return None
- self._auth_data = self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token)
- if not self._auth_data or self._auth_data.access_token is None:
- Logger.log("w", "Unable to use the refresh token to get a new access token.")
- # The token could not be refreshed using the refresh token. We should login again.
- return None
- # Ensure it gets stored as otherwise we only have it in memory. The stored refresh token has been deleted
- # from the server already. Do not store the auth_data if we could not get new auth_data (eg due to a
- # network error), since this would cause an infinite loop trying to get new auth-data
- if self._auth_data.success:
- self._storeAuthData(self._auth_data)
- return self._auth_helpers.parseJWT(self._auth_data.access_token)
+ def process_auth_data(auth_data: AuthenticationResponse) -> None:
+ if auth_data.access_token is None:
+ Logger.warning("Unable to use the refresh token to get a new access token.")
+ callback(None)
+ return
+ # Ensure it gets stored as otherwise we only have it in memory. The stored refresh token has been
+ # deleted from the server already. Do not store the auth_data if we could not get new auth_data (e.g.
+ # due to a network error), since this would cause an infinite loop trying to get new auth-data.
+ if auth_data.success:
+ self._storeAuthData(auth_data)
+ self._auth_helpers.checkToken(auth_data.access_token, callback, lambda: callback(None))
+
+ self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token, process_auth_data)
+
+ self._auth_helpers.checkToken(self._auth_data.access_token, check_user_profile, lambda: check_user_profile(None))
def getAccessToken(self) -> Optional[str]:
"""Get the access token as provided by the response data."""
@@ -149,13 +161,20 @@ class AuthorizationService:
if self._auth_data is None or self._auth_data.refresh_token is None:
Logger.log("w", "Unable to refresh access token, since there is no refresh token.")
return
- response = self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token)
- if response.success:
- self._storeAuthData(response)
- self.onAuthStateChanged.emit(logged_in = True)
- else:
- Logger.log("w", "Failed to get a new access token from the server.")
- self.onAuthStateChanged.emit(logged_in = False)
+
+ def process_auth_data(response: AuthenticationResponse) -> None:
+ if response.success:
+ self._storeAuthData(response)
+ self.onAuthStateChanged.emit(logged_in = True)
+ else:
+ Logger.warning("Failed to get a new access token from the server.")
+ self.onAuthStateChanged.emit(logged_in = False)
+
+ if self._currently_refreshing_token:
+ Logger.debug("Was already busy refreshing token. Do not start a new request.")
+ return
+ self._currently_refreshing_token = True
+ self._auth_helpers.getAccessTokenUsingRefreshToken(self._auth_data.refresh_token, process_auth_data)
def deleteAuthData(self) -> None:
"""Delete the authentication data that we have stored locally (eg; logout)"""
@@ -244,21 +263,23 @@ class AuthorizationService:
preferences_data = json.loads(self._preferences.getValue(self._settings.AUTH_DATA_PREFERENCE_KEY))
if preferences_data:
self._auth_data = AuthenticationResponse(**preferences_data)
- # Also check if we can actually get the user profile information.
- user_profile = self.getUserProfile()
- if user_profile is not None:
- self.onAuthStateChanged.emit(logged_in = True)
- Logger.log("d", "Auth data was successfully loaded")
- else:
- if self._unable_to_get_data_message is not None:
- self._unable_to_get_data_message.hide()
- self._unable_to_get_data_message = Message(i18n_catalog.i18nc("@info",
- "Unable to reach the Ultimaker account server."),
- title = i18n_catalog.i18nc("@info:title", "Warning"),
- message_type = Message.MessageType.ERROR)
- Logger.log("w", "Unable to load auth data from preferences")
- self._unable_to_get_data_message.show()
+ # Also check if we can actually get the user profile information.
+ def callback(profile: Optional["UserProfile"]) -> None:
+ if profile is not None:
+ self.onAuthStateChanged.emit(logged_in = True)
+ Logger.debug("Auth data was successfully loaded")
+ else:
+ if self._unable_to_get_data_message is not None:
+ self._unable_to_get_data_message.show()
+ else:
+ self._unable_to_get_data_message = Message(i18n_catalog.i18nc("@info",
+ "Unable to reach the Ultimaker account server."),
+ title = i18n_catalog.i18nc("@info:title", "Log-in failed"),
+ message_type = Message.MessageType.ERROR)
+ Logger.warning("Unable to get user profile using auth data from preferences.")
+ self._unable_to_get_data_message.show()
+ self.getUserProfile(callback)
except (ValueError, TypeError):
Logger.logException("w", "Could not load auth data from preferences")
@@ -271,8 +292,9 @@ class AuthorizationService:
return
self._auth_data = auth_data
+ self._currently_refreshing_token = False
if auth_data:
- self._user_profile = self.getUserProfile()
+ self.getUserProfile()
self._preferences.setValue(self._settings.AUTH_DATA_PREFERENCE_KEY, json.dumps(auth_data.dump()))
else:
Logger.log("d", "Clearing the user profile")
diff --git a/cura/OAuth2/KeyringAttribute.py b/cura/OAuth2/KeyringAttribute.py
index a8c60de994..58b45a67ef 100644
--- a/cura/OAuth2/KeyringAttribute.py
+++ b/cura/OAuth2/KeyringAttribute.py
@@ -2,9 +2,10 @@
# Cura is released under the terms of the LGPLv3 or higher.
from typing import Type, TYPE_CHECKING, Optional, List
+from io import BlockingIOError
import keyring
from keyring.backend import KeyringBackend
-from keyring.errors import NoKeyringError, PasswordSetError, KeyringLocked
+from keyring.errors import NoKeyringError, PasswordSetError, KeyringLocked, KeyringError
from UM.Logger import Logger
@@ -44,7 +45,7 @@ class KeyringAttribute:
self._store_secure = False
Logger.logException("w", "No keyring backend present")
return getattr(instance, self._name)
- except KeyringLocked:
+ except (KeyringLocked, BlockingIOError):
self._store_secure = False
Logger.log("i", "Access to the keyring was denied.")
return getattr(instance, self._name)
@@ -52,6 +53,10 @@ class KeyringAttribute:
self._store_secure = False
Logger.log("w", "The password retrieved from the keyring cannot be used because it contains characters that cannot be decoded.")
return getattr(instance, self._name)
+ except KeyringError:
+ self._store_secure = False
+ Logger.logException("w", "Unknown keyring error.")
+ return getattr(instance, self._name)
else:
return getattr(instance, self._name)
diff --git a/cura/PickingPass.py b/cura/PickingPass.py
index 54e886fe62..4d6ef671df 100644
--- a/cura/PickingPass.py
+++ b/cura/PickingPass.py
@@ -72,8 +72,8 @@ class PickingPass(RenderPass):
window_size = self._renderer.getWindowSize()
- px = (0.5 + x / 2.0) * window_size[0]
- py = (0.5 + y / 2.0) * window_size[1]
+ px = int((0.5 + x / 2.0) * window_size[0])
+ py = int((0.5 + y / 2.0) * window_size[1])
if px < 0 or px > (output.width() - 1) or py < 0 or py > (output.height() - 1):
return -1
diff --git a/cura/PrinterOutput/Models/PrintJobOutputModel.py b/cura/PrinterOutput/Models/PrintJobOutputModel.py
index 256999b96f..f7404f71ed 100644
--- a/cura/PrinterOutput/Models/PrintJobOutputModel.py
+++ b/cura/PrinterOutput/Models/PrintJobOutputModel.py
@@ -42,7 +42,7 @@ class PrintJobOutputModel(QObject):
self._preview_image = None # type: Optional[QImage]
@pyqtProperty("QStringList", notify=compatibleMachineFamiliesChanged)
- def compatibleMachineFamilies(self):
+ def compatibleMachineFamilies(self) -> List[str]:
# Hack; Some versions of cluster will return a family more than once...
return list(set(self._compatible_machine_families))
@@ -77,11 +77,11 @@ class PrintJobOutputModel(QObject):
self._configuration = configuration
self.configurationChanged.emit()
- @pyqtProperty(str, notify=ownerChanged)
- def owner(self):
+ @pyqtProperty(str, notify = ownerChanged)
+ def owner(self) -> str:
return self._owner
- def updateOwner(self, owner):
+ def updateOwner(self, owner: str) -> None:
if self._owner != owner:
self._owner = owner
self.ownerChanged.emit()
@@ -132,7 +132,7 @@ class PrintJobOutputModel(QObject):
@pyqtProperty(float, notify = timeElapsedChanged)
def progress(self) -> float:
- result = float(self.timeElapsed) / max(self.timeTotal, 1.0) # Prevent a division by zero exception.
+ result = float(self.timeElapsed) / max(self.timeTotal, 1.0) # Prevent a division by zero exception.
return min(result, 1.0) # Never get a progress past 1.0
@pyqtProperty(str, notify=stateChanged)
@@ -151,12 +151,12 @@ class PrintJobOutputModel(QObject):
return False
return True
- def updateTimeTotal(self, new_time_total):
+ def updateTimeTotal(self, new_time_total: int) -> None:
if self._time_total != new_time_total:
self._time_total = new_time_total
self.timeTotalChanged.emit()
- def updateTimeElapsed(self, new_time_elapsed):
+ def updateTimeElapsed(self, new_time_elapsed: int) -> None:
if self._time_elapsed != new_time_elapsed:
self._time_elapsed = new_time_elapsed
self.timeElapsedChanged.emit()
diff --git a/cura/PrinterOutput/NetworkedPrinterOutputDevice.py b/cura/PrinterOutput/NetworkedPrinterOutputDevice.py
index 9979354dba..42c1cd78aa 100644
--- a/cura/PrinterOutput/NetworkedPrinterOutputDevice.py
+++ b/cura/PrinterOutput/NetworkedPrinterOutputDevice.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 UM.FileHandler.FileHandler import FileHandler #For typing.
@@ -114,6 +114,11 @@ class NetworkedPrinterOutputDevice(PrinterOutputDevice):
return b"".join(file_data_bytes_list)
def _update(self) -> None:
+ """
+ Update the connection state of this device.
+
+ This is called on regular intervals.
+ """
if self._last_response_time:
time_since_last_response = time() - self._last_response_time
else:
@@ -127,11 +132,11 @@ class NetworkedPrinterOutputDevice(PrinterOutputDevice):
if time_since_last_response > self._timeout_time >= time_since_last_request:
# Go (or stay) into timeout.
if self._connection_state_before_timeout is None:
- self._connection_state_before_timeout = self._connection_state
+ self._connection_state_before_timeout = self.connectionState
self.setConnectionState(ConnectionState.Closed)
- elif self._connection_state == ConnectionState.Closed:
+ elif self.connectionState == ConnectionState.Closed:
# Go out of timeout.
if self._connection_state_before_timeout is not None: # sanity check, but it should never be None here
self.setConnectionState(self._connection_state_before_timeout)
@@ -361,7 +366,7 @@ class NetworkedPrinterOutputDevice(PrinterOutputDevice):
self._last_response_time = time()
- if self._connection_state == ConnectionState.Connecting:
+ if self.connectionState == ConnectionState.Connecting:
self.setConnectionState(ConnectionState.Connected)
callback_key = reply.url().toString() + str(reply.operation())
diff --git a/cura/PrinterOutput/PrinterOutputDevice.py b/cura/PrinterOutput/PrinterOutputDevice.py
index 526d713748..2939076a9a 100644
--- a/cura/PrinterOutput/PrinterOutputDevice.py
+++ b/cura/PrinterOutput/PrinterOutputDevice.py
@@ -1,11 +1,13 @@
-# Copyright (c) 2018 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
+
from enum import IntEnum
from typing import Callable, List, Optional, Union
from PyQt5.QtCore import pyqtProperty, pyqtSignal, QObject, QTimer, QUrl
from PyQt5.QtWidgets import QMessageBox
+import cura.CuraApplication # Imported like this to prevent circular imports.
from UM.Logger import Logger
from UM.Signal import signalemitter
from UM.Qt.QtApplication import QtApplication
@@ -120,11 +122,22 @@ class PrinterOutputDevice(QObject, OutputDevice):
callback(QMessageBox.Yes)
def isConnected(self) -> bool:
- return self._connection_state != ConnectionState.Closed and self._connection_state != ConnectionState.Error
+ """
+ Returns whether we could theoretically send commands to this printer.
+ :return: `True` if we are connected, or `False` if not.
+ """
+ return self.connectionState != ConnectionState.Closed and self.connectionState != ConnectionState.Error
def setConnectionState(self, connection_state: "ConnectionState") -> None:
- if self._connection_state != connection_state:
+ """
+ Store the connection state of the printer.
+
+ Causes everything that displays the connection state to update its QML models.
+ :param connection_state: The new connection state to store.
+ """
+ if self.connectionState != connection_state:
self._connection_state = connection_state
+ cura.CuraApplication.CuraApplication.getInstance().getGlobalContainerStack().setMetaDataEntry("is_online", self.isConnected())
self.connectionStateChanged.emit(self._id)
@pyqtProperty(int, constant = True)
@@ -133,6 +146,10 @@ class PrinterOutputDevice(QObject, OutputDevice):
@pyqtProperty(int, notify = connectionStateChanged)
def connectionState(self) -> "ConnectionState":
+ """
+ Get the connection state of the printer, e.g. whether it is connected, still connecting, error state, etc.
+ :return: The current connection state of this output device.
+ """
return self._connection_state
def _update(self) -> None:
diff --git a/cura/PrinterOutput/UploadMaterialsJob.py b/cura/PrinterOutput/UploadMaterialsJob.py
new file mode 100644
index 0000000000..7a08a198c1
--- /dev/null
+++ b/cura/PrinterOutput/UploadMaterialsJob.py
@@ -0,0 +1,264 @@
+# Copyright (c) 2021 Ultimaker B.V.
+# Cura is released under the terms of the LGPLv3 or higher.
+
+import enum
+import functools # For partial methods to use as callbacks with information pre-filled.
+import json # To serialise metadata for API calls.
+import os # To delete the archive when we're done.
+from PyQt5.QtCore import QUrl
+import tempfile # To create an archive before we upload it.
+
+import cura.CuraApplication # Imported like this to prevent circular imports.
+from cura.Settings.CuraContainerRegistry import CuraContainerRegistry # To find all printers to upload to.
+from cura.UltimakerCloud import UltimakerCloudConstants # To know where the API is.
+from cura.UltimakerCloud.UltimakerCloudScope import UltimakerCloudScope # To know how to communicate with this server.
+from UM.i18n import i18nCatalog
+from UM.Job import Job
+from UM.Logger import Logger
+from UM.Signal import Signal
+from UM.TaskManagement.HttpRequestManager import HttpRequestManager # To call the API.
+from UM.TaskManagement.HttpRequestScope import JsonDecoratorScope
+
+from typing import Any, cast, Dict, List, Optional, TYPE_CHECKING
+if TYPE_CHECKING:
+ from PyQt5.QtNetwork import QNetworkReply
+ from cura.UltimakerCloud.CloudMaterialSync import CloudMaterialSync
+
+catalog = i18nCatalog("cura")
+
+
+class UploadMaterialsError(Exception):
+ """
+ Class to indicate something went wrong while uploading.
+ """
+ pass
+
+
+class UploadMaterialsJob(Job):
+ """
+ Job that uploads a set of materials to the Digital Factory.
+
+ The job has a number of stages:
+ - First, it generates an archive of all materials. This typically takes a lot of processing power during which the
+ GIL remains locked.
+ - Then it requests the API to upload an archive.
+ - Then it uploads the archive to the URL given by the first request.
+ - Then it tells the API that the archive can be distributed to the printers.
+ """
+
+ UPLOAD_REQUEST_URL = f"{UltimakerCloudConstants.CuraCloudAPIRoot}/connect/v1/materials/upload"
+ UPLOAD_CONFIRM_URL = UltimakerCloudConstants.CuraCloudAPIRoot + "/connect/v1/clusters/{cluster_id}/printers/{cluster_printer_id}/action/import_material"
+
+ class Result(enum.IntEnum):
+ SUCCESS = 0
+ FAILED = 1
+
+ class PrinterStatus(enum.Enum):
+ UPLOADING = "uploading"
+ SUCCESS = "success"
+ FAILED = "failed"
+
+ def __init__(self, material_sync: "CloudMaterialSync"):
+ super().__init__()
+ self._material_sync = material_sync
+ self._scope = JsonDecoratorScope(UltimakerCloudScope(cura.CuraApplication.CuraApplication.getInstance())) # type: JsonDecoratorScope
+ self._archive_filename = None # type: Optional[str]
+ self._archive_remote_id = None # type: Optional[str] # ID that the server gives to this archive. Used to communicate about the archive to the server.
+ self._printer_sync_status = {} # type: Dict[str, str]
+ self._printer_metadata = [] # type: List[Dict[str, Any]]
+ self.processProgressChanged.connect(self._onProcessProgressChanged)
+
+ uploadCompleted = Signal() # Triggered when the job is really complete, including uploading to the cloud.
+ processProgressChanged = Signal() # Triggered when we've made progress creating the archive.
+ uploadProgressChanged = Signal() # Triggered when we've made progress with the complete job. This signal emits a progress fraction (0-1) as well as the status of every printer.
+
+ def run(self) -> None:
+ """
+ Generates an archive of materials and starts uploading that archive to the cloud.
+ """
+ self._printer_metadata = CuraContainerRegistry.getInstance().findContainerStacksMetadata(
+ type = "machine",
+ connection_type = "3", # Only cloud printers.
+ is_online = "True", # Only online printers. Otherwise the server gives an error.
+ host_guid = "*", # Required metadata field. Otherwise we get a KeyError.
+ um_cloud_cluster_id = "*" # Required metadata field. Otherwise we get a KeyError.
+ )
+
+ # Filter out any printer not capable of the 'import_material' capability. Needs FW 7.0.1-RC at the least!
+ self._printer_metadata = [ printer_data for printer_data in self._printer_metadata if (
+ UltimakerCloudConstants.META_CAPABILITIES in printer_data and
+ "import_material" in printer_data[UltimakerCloudConstants.META_CAPABILITIES]
+ )
+ ]
+
+ for printer in self._printer_metadata:
+ self._printer_sync_status[printer["host_guid"]] = self.PrinterStatus.UPLOADING.value
+
+ try:
+ archive_file = tempfile.NamedTemporaryFile("wb", delete = False)
+ archive_file.close()
+ self._archive_filename = archive_file.name
+ self._material_sync.exportAll(QUrl.fromLocalFile(self._archive_filename), notify_progress = self.processProgressChanged)
+ except OSError as e:
+ Logger.error(f"Failed to create archive of materials to sync with printers: {type(e)} - {e}")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "Failed to create archive of materials to sync with printers.")))
+ return
+
+ try:
+ file_size = os.path.getsize(self._archive_filename)
+ except OSError as e:
+ Logger.error(f"Failed to load the archive of materials to sync it with printers: {type(e)} - {e}")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "Failed to load the archive of materials to sync it with printers.")))
+ return
+
+ request_metadata = {
+ "data": {
+ "file_size": file_size,
+ "material_profile_name": "cura.umm", # File name can be anything as long as it's .umm. It's not used by anyone.
+ "content_type": "application/zip", # This endpoint won't receive files of different MIME types.
+ "origin": "cura" # Some identifier against hackers intercepting this upload request, apparently.
+ }
+ }
+ request_payload = json.dumps(request_metadata).encode("UTF-8")
+
+ http = HttpRequestManager.getInstance()
+ http.put(
+ url = self.UPLOAD_REQUEST_URL,
+ data = request_payload,
+ callback = self.onUploadRequestCompleted,
+ error_callback = self.onError,
+ scope = self._scope
+ )
+
+ def onUploadRequestCompleted(self, reply: "QNetworkReply") -> None:
+ """
+ Triggered when we successfully requested to upload a material archive.
+
+ We then need to start uploading the material archive to the URL that the request answered with.
+ :param reply: The reply from the server to our request to upload an archive.
+ """
+ response_data = HttpRequestManager.readJSON(reply)
+ if response_data is None:
+ Logger.error(f"Invalid response to material upload request. Could not parse JSON data.")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "The response from Digital Factory appears to be corrupted.")))
+ return
+ if "data" not in response_data:
+ Logger.error(f"Invalid response to material upload request: Missing 'data' field that contains the entire response.")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "The response from Digital Factory is missing important information.")))
+ return
+ if "upload_url" not in response_data["data"]:
+ Logger.error(f"Invalid response to material upload request: Missing 'upload_url' field to upload archive to.")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "The response from Digital Factory is missing important information.")))
+ return
+ if "material_profile_id" not in response_data["data"]:
+ Logger.error(f"Invalid response to material upload request: Missing 'material_profile_id' to communicate about the materials with the server.")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "The response from Digital Factory is missing important information.")))
+ return
+
+ upload_url = response_data["data"]["upload_url"]
+ self._archive_remote_id = response_data["data"]["material_profile_id"]
+ try:
+ with open(cast(str, self._archive_filename), "rb") as f:
+ file_data = f.read()
+ except OSError as e:
+ Logger.error(f"Failed to load archive back in for sending to cloud: {type(e)} - {e}")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "Failed to load the archive of materials to sync it with printers.")))
+ return
+ http = HttpRequestManager.getInstance()
+ http.put(
+ url = upload_url,
+ data = file_data,
+ callback = self.onUploadCompleted,
+ error_callback = self.onError,
+ scope = self._scope
+ )
+
+ def onUploadCompleted(self, reply: "QNetworkReply") -> None:
+ """
+ When we've successfully uploaded the archive to the cloud, we need to notify the API to start syncing that
+ archive to every printer.
+ :param reply: The reply from the cloud storage when the upload succeeded.
+ """
+ for container_stack in self._printer_metadata:
+ cluster_id = container_stack["um_cloud_cluster_id"]
+ printer_id = container_stack["host_guid"]
+
+ http = HttpRequestManager.getInstance()
+ http.post(
+ url = self.UPLOAD_CONFIRM_URL.format(cluster_id = cluster_id, cluster_printer_id = printer_id),
+ callback = functools.partial(self.onUploadConfirmed, printer_id),
+ error_callback = functools.partial(self.onUploadConfirmed, printer_id), # Let this same function handle the error too.
+ scope = self._scope,
+ data = json.dumps({"data": {"material_profile_id": self._archive_remote_id}}).encode("UTF-8")
+ )
+
+ def onUploadConfirmed(self, printer_id: str, reply: "QNetworkReply", error: Optional["QNetworkReply.NetworkError"] = None) -> None:
+ """
+ Triggered when we've got a confirmation that the material is synced with the printer, or that syncing failed.
+
+ If syncing succeeded we mark this printer as having the status "success". If it failed we mark the printer as
+ "failed". If this is the last upload that needed to be completed, we complete the job with either a success
+ state (every printer successfully synced) or a failed state (any printer failed).
+ :param printer_id: The printer host_guid that we completed syncing with.
+ :param reply: The reply that the server gave to confirm.
+ :param error: If the request failed, this error gives an indication what happened.
+ """
+ if error is not None:
+ Logger.error(f"Failed to confirm uploading material archive to printer {printer_id}: {error}")
+ self._printer_sync_status[printer_id] = self.PrinterStatus.FAILED.value
+ else:
+ self._printer_sync_status[printer_id] = self.PrinterStatus.SUCCESS.value
+
+ still_uploading = len([val for val in self._printer_sync_status.values() if val == self.PrinterStatus.UPLOADING.value])
+ self.uploadProgressChanged.emit(0.8 + (len(self._printer_sync_status) - still_uploading) / len(self._printer_sync_status), self.getPrinterSyncStatus())
+
+ if still_uploading == 0: # This is the last response to be processed.
+ if self.PrinterStatus.FAILED.value in self._printer_sync_status.values():
+ self.setResult(self.Result.FAILED)
+ self.setError(UploadMaterialsError(catalog.i18nc("@text:error", "Failed to connect to Digital Factory to sync materials with some of the printers.")))
+ else:
+ self.setResult(self.Result.SUCCESS)
+ self.uploadCompleted.emit(self.getResult(), self.getError())
+
+ def onError(self, reply: "QNetworkReply", error: Optional["QNetworkReply.NetworkError"]) -> None:
+ """
+ Used as callback from HTTP requests when the request failed.
+
+ The given network error from the `HttpRequestManager` is logged, and the job is marked as failed.
+ :param reply: The main reply of the server. This reply will most likely not be valid.
+ :param error: The network error (Qt's enum) that occurred.
+ """
+ Logger.error(f"Failed to upload material archive: {error}")
+ self.failed(UploadMaterialsError(catalog.i18nc("@text:error", "Failed to connect to Digital Factory.")))
+
+ def getPrinterSyncStatus(self) -> Dict[str, str]:
+ """
+ For each printer, identified by host_guid, this gives the current status of uploading the material archive.
+
+ The possible states are given in the PrinterStatus enum.
+ :return: A dictionary with printer host_guids as keys, and their status as values.
+ """
+ return self._printer_sync_status
+
+ def failed(self, error: UploadMaterialsError) -> None:
+ """
+ Helper function for when we have a general failure.
+
+ This sets the sync status for all printers to failed, sets the error on
+ the job and the result of the job to FAILED.
+ :param error: An error to show to the user.
+ """
+ self.setResult(self.Result.FAILED)
+ self.setError(error)
+ for printer_id in self._printer_sync_status:
+ self._printer_sync_status[printer_id] = self.PrinterStatus.FAILED.value
+ self.uploadProgressChanged.emit(1.0, self.getPrinterSyncStatus())
+ self.uploadCompleted.emit(self.getResult(), self.getError())
+
+ def _onProcessProgressChanged(self, progress: float) -> None:
+ """
+ When we progress in the process of uploading materials, we not only signal the new progress (float from 0 to 1)
+ but we also signal the current status of every printer. These are emitted as the two parameters of the signal.
+ :param progress: The progress of this job, between 0 and 1.
+ """
+ self.uploadProgressChanged.emit(progress * 0.8, self.getPrinterSyncStatus()) # The processing is 80% of the progress bar.
diff --git a/cura/Settings/ExtruderManager.py b/cura/Settings/ExtruderManager.py
index 1e9199d525..701d3d987b 100755
--- a/cura/Settings/ExtruderManager.py
+++ b/cura/Settings/ExtruderManager.py
@@ -12,6 +12,7 @@ from UM.Scene.SceneNode import SceneNode
from UM.Scene.Selection import Selection
from UM.Scene.Iterator.BreadthFirstIterator import BreadthFirstIterator
from UM.Settings.ContainerRegistry import ContainerRegistry # Finding containers by ID.
+from cura.Machines.ContainerTree import ContainerTree
from typing import Any, cast, Dict, List, Optional, TYPE_CHECKING, Union
@@ -403,6 +404,35 @@ class ExtruderManager(QObject):
raise IndexError(msg)
extruder_stack_0.definition = extruder_definition
+ @pyqtSlot("QVariant", result = bool)
+ def getExtruderHasQualityForMaterial(self, extruder_stack: "ExtruderStack") -> bool:
+ """Checks if quality nodes exist for the variant/material combination."""
+ application = cura.CuraApplication.CuraApplication.getInstance()
+ global_stack = application.getGlobalContainerStack()
+ if not global_stack or not extruder_stack:
+ return False
+
+ if not global_stack.getMetaDataEntry("has_materials"):
+ return True
+
+ machine_node = ContainerTree.getInstance().machines[global_stack.definition.getId()]
+
+ active_variant_name = extruder_stack.variant.getMetaDataEntry("name")
+ if active_variant_name not in machine_node.variants:
+ Logger.log("w", "Could not find the variant %s", active_variant_name)
+ return True
+ active_variant_node = machine_node.variants[active_variant_name]
+ try:
+ active_material_node = active_variant_node.materials[extruder_stack.material.getMetaDataEntry("base_file")]
+ except KeyError: # The material in this stack is not a supported material (e.g. wrong filament diameter, as loaded from a project file).
+ return False
+
+ active_material_node_qualities = active_material_node.qualities
+ if not active_material_node_qualities:
+ return False
+ return list(active_material_node_qualities.keys())[0] != "empty_quality"
+
+
@pyqtSlot(str, result="QVariant")
def getInstanceExtruderValues(self, key: str) -> List:
"""Get all extruder values for a certain setting.
diff --git a/cura/Settings/MachineManager.py b/cura/Settings/MachineManager.py
index d8e17ec305..648b1e9cae 100755
--- a/cura/Settings/MachineManager.py
+++ b/cura/Settings/MachineManager.py
@@ -855,7 +855,6 @@ class MachineManager(QObject):
caution_message = Message(
catalog.i18nc("@info:message Followed by a list of settings.",
"Settings have been changed to match the current availability of extruders:") + " [{settings_list}]".format(settings_list = ", ".join(add_user_changes)),
- lifetime = 0,
title = catalog.i18nc("@info:title", "Settings updated"))
caution_message.show()
@@ -1191,7 +1190,7 @@ class MachineManager(QObject):
self.setIntentByCategory(quality_changes_group.intent_category)
self._reCalculateNumUserSettings()
-
+ self.correctExtruderSettings()
self.activeQualityGroupChanged.emit()
self.activeQualityChangesGroupChanged.emit()
@@ -1536,7 +1535,7 @@ class MachineManager(QObject):
machine_node = ContainerTree.getInstance().machines.get(machine_definition_id)
variant_node = machine_node.variants.get(variant_name)
if variant_node is None:
- Logger.error("There is no variant with the name {variant_name}.")
+ Logger.error(f"There is no variant with the name {variant_name}.")
return
self.setVariant(position, variant_node)
diff --git a/cura/Settings/SettingInheritanceManager.py b/cura/Settings/SettingInheritanceManager.py
index 6179e76ab7..34dfaeb616 100644
--- a/cura/Settings/SettingInheritanceManager.py
+++ b/cura/Settings/SettingInheritanceManager.py
@@ -61,6 +61,10 @@ class SettingInheritanceManager(QObject):
result.append(key)
return result
+ @pyqtSlot(str, str, result = bool)
+ def hasOverrides(self, key: str, extruder_index: str):
+ return key in self.getOverridesForExtruder(key, extruder_index)
+
@pyqtSlot(str, str, result = "QStringList")
def getOverridesForExtruder(self, key: str, extruder_index: str) -> List[str]:
if self._global_container_stack is None:
diff --git a/cura/Snapshot.py b/cura/Snapshot.py
index 08dd4d1030..a7b813610f 100644
--- a/cura/Snapshot.py
+++ b/cura/Snapshot.py
@@ -3,6 +3,7 @@
import numpy
from PyQt5 import QtCore
+from PyQt5.QtCore import QCoreApplication
from PyQt5.QtGui import QImage
from cura.PreviewPass import PreviewPass
@@ -46,6 +47,7 @@ class Snapshot:
render_width, render_height = (width, height) if active_camera is None else active_camera.getWindowSize()
render_width = int(render_width)
render_height = int(render_height)
+ QCoreApplication.processEvents() # This ensures that the opengl context is correctly available
preview_pass = PreviewPass(render_width, render_height)
root = scene.getRoot()
diff --git a/cura/UI/CuraSplashScreen.py b/cura/UI/CuraSplashScreen.py
index d9caa207f4..4fa798247d 100644
--- a/cura/UI/CuraSplashScreen.py
+++ b/cura/UI/CuraSplashScreen.py
@@ -17,7 +17,9 @@ class CuraSplashScreen(QSplashScreen):
self._scale = 0.7
self._version_y_offset = 0 # when extra visual elements are in the background image, move version text down
- if ApplicationMetadata.IsEnterpriseVersion:
+ if ApplicationMetadata.IsAlternateVersion:
+ splash_image = QPixmap(Resources.getPath(Resources.Images, "cura_wip.png"))
+ elif ApplicationMetadata.IsEnterpriseVersion:
splash_image = QPixmap(Resources.getPath(Resources.Images, "cura_enterprise.png"))
self._version_y_offset = 26
else:
@@ -70,7 +72,7 @@ class CuraSplashScreen(QSplashScreen):
font = QFont() # Using system-default font here
font.setPixelSize(18)
painter.setFont(font)
- painter.drawText(60, 70 + self._version_y_offset, round(330 * self._scale), round(230 * self._scale), Qt.AlignLeft | Qt.AlignTop, version[0])
+ painter.drawText(60, 70 + self._version_y_offset, round(330 * self._scale), round(230 * self._scale), Qt.AlignLeft | Qt.AlignTop, version[0] if not ApplicationMetadata.IsAlternateVersion else ApplicationMetadata.CuraBuildType)
if len(version) > 1:
font.setPixelSize(16)
painter.setFont(font)
diff --git a/cura/UI/TextManager.py b/cura/UI/TextManager.py
index e45689936b..77dadae809 100644
--- a/cura/UI/TextManager.py
+++ b/cura/UI/TextManager.py
@@ -46,7 +46,9 @@ class TextManager(QObject):
line = line.replace("[", "")
line = line.replace("]", "")
open_version = Version(line)
- if open_version > Version([14, 99, 99]): # Bit of a hack: We released the 15.x.x versions before 2.x
+ if open_version < Version([0, 0, 1]): # Something went wrong with parsing, assume non-numerical alternate version that should be on top.
+ open_version = Version([99, 99, 99])
+ if Version([14, 99, 99]) < open_version < Version([16, 0, 0]): # Bit of a hack: We released the 15.x.x versions before 2.x
open_version = Version([0, open_version.getMinor(), open_version.getRevision(), open_version.getPostfixVersion()])
open_header = ""
change_logs_dict[open_version] = collections.OrderedDict()
@@ -66,7 +68,9 @@ class TextManager(QObject):
text_version = version
if version < Version([1, 0, 0]): # Bit of a hack: We released the 15.x.x versions before 2.x
text_version = Version([15, version.getMinor(), version.getRevision(), version.getPostfixVersion()])
- content += "
" + str(text_version) + "
"
+ if version > Version([99, 0, 0]): # Leave it out altogether if it was originally a non-numbered version.
+ text_version = ""
+ content += ("" + str(text_version) + "
") if text_version else ""
content += ""
for change in change_logs_dict[version]:
if str(change) != "":
diff --git a/cura/UI/WelcomePagesModel.py b/cura/UI/WelcomePagesModel.py
index 3c2d0503ab..890e34a31e 100644
--- a/cura/UI/WelcomePagesModel.py
+++ b/cura/UI/WelcomePagesModel.py
@@ -1,7 +1,9 @@
-# Copyright (c) 2019 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
-from collections import deque
+
import os
+
+from collections import deque
from typing import TYPE_CHECKING, Optional, List, Dict, Any
from PyQt5.QtCore import QUrl, Qt, pyqtSlot, pyqtProperty, pyqtSignal
@@ -16,24 +18,23 @@ if TYPE_CHECKING:
from cura.CuraApplication import CuraApplication
-#
-# This is the Qt ListModel that contains all welcome pages data. Each page is a page that can be shown as a step in the
-# welcome wizard dialog. Each item in this ListModel represents a page, which contains the following fields:
-#
-# - id : A unique page_id which can be used in function goToPage(page_id)
-# - page_url : The QUrl to the QML file that contains the content of this page
-# - next_page_id : (OPTIONAL) The next page ID to go to when this page finished. This is optional. If this is not
-# provided, it will go to the page with the current index + 1
-# - next_page_button_text: (OPTIONAL) The text to show for the "next" button, by default it's the translated text of
-# "Next". Note that each step QML can decide whether to use this text or not, so it's not
-# mandatory.
-# - should_show_function : (OPTIONAL) An optional function that returns True/False indicating if this page should be
-# shown. By default all pages should be shown. If a function returns False, that page will
-# be skipped and its next page will be shown.
-#
-# Note that in any case, a page that has its "should_show_function" == False will ALWAYS be skipped.
-#
class WelcomePagesModel(ListModel):
+ """
+ This is the Qt ListModel that contains all welcome pages data. Each page is a page that can be shown as a step in
+ the welcome wizard dialog. Each item in this ListModel represents a page, which contains the following fields:
+ - id : A unique page_id which can be used in function goToPage(page_id)
+ - page_url : The QUrl to the QML file that contains the content of this page
+ - next_page_id : (OPTIONAL) The next page ID to go to when this page finished. This is optional. If this is
+ not provided, it will go to the page with the current index + 1
+ - next_page_button_text : (OPTIONAL) The text to show for the "next" button, by default it's the translated text of
+ "Next". Note that each step QML can decide whether to use this text or not, so it's not
+ mandatory.
+ - should_show_function : (OPTIONAL) An optional function that returns True/False indicating if this page should be
+ shown. By default all pages should be shown. If a function returns False, that page will
+ be skipped and its next page will be shown.
+
+ Note that in any case, a page that has its "should_show_function" == False will ALWAYS be skipped.
+ """
IdRole = Qt.UserRole + 1 # Page ID
PageUrlRole = Qt.UserRole + 2 # URL to the page's QML file
@@ -55,11 +56,11 @@ class WelcomePagesModel(ListModel):
self._default_next_button_text = self._catalog.i18nc("@action:button", "Next")
- self._pages = [] # type: List[Dict[str, Any]]
+ self._pages: List[Dict[str, Any]] = []
self._current_page_index = 0
# Store all the previous page indices so it can go back.
- self._previous_page_indices_stack = deque() # type: deque
+ self._previous_page_indices_stack: deque = deque()
# If the welcome flow should be shown. It can show the complete flow or just the changelog depending on the
# specific case. See initialize() for how this variable is set.
@@ -72,17 +73,21 @@ class WelcomePagesModel(ListModel):
def currentPageIndex(self) -> int:
return self._current_page_index
- # Returns a float number in [0, 1] which indicates the current progress.
@pyqtProperty(float, notify = currentPageIndexChanged)
def currentProgress(self) -> float:
+ """
+ Returns a float number in [0, 1] which indicates the current progress.
+ """
if len(self._items) == 0:
return 0
else:
return self._current_page_index / len(self._items)
- # Indicates if the current page is the last page.
@pyqtProperty(bool, notify = currentPageIndexChanged)
def isCurrentPageLast(self) -> bool:
+ """
+ Indicates if the current page is the last page.
+ """
return self._current_page_index == len(self._items) - 1
def _setCurrentPageIndex(self, page_index: int) -> None:
@@ -91,17 +96,22 @@ class WelcomePagesModel(ListModel):
self._current_page_index = page_index
self.currentPageIndexChanged.emit()
- # Ends the Welcome-Pages. Put as a separate function for cases like the 'decline' in the User-Agreement.
@pyqtSlot()
def atEnd(self) -> None:
+ """
+ Ends the Welcome-Pages. Put as a separate function for cases like the 'decline' in the User-Agreement.
+ """
self.allFinished.emit()
self.resetState()
- # Goes to the next page.
- # If "from_index" is given, it will look for the next page to show starting from the "from_index" page instead of
- # the "self._current_page_index".
@pyqtSlot()
def goToNextPage(self, from_index: Optional[int] = None) -> None:
+ """
+ Goes to the next page.
+ If "from_index" is given, it will look for the next page to show starting from the "from_index" page instead of
+ the "self._current_page_index".
+ """
+
# Look for the next page that should be shown
current_index = self._current_page_index if from_index is None else from_index
while True:
@@ -137,9 +147,11 @@ class WelcomePagesModel(ListModel):
# Move to the next page
self._setCurrentPageIndex(next_page_index)
- # Goes to the previous page. If there's no previous page, do nothing.
@pyqtSlot()
def goToPreviousPage(self) -> None:
+ """
+ Goes to the previous page. If there's no previous page, do nothing.
+ """
if len(self._previous_page_indices_stack) == 0:
Logger.log("i", "No previous page, do nothing")
return
@@ -148,9 +160,9 @@ class WelcomePagesModel(ListModel):
self._current_page_index = previous_page_index
self.currentPageIndexChanged.emit()
- # Sets the current page to the given page ID. If the page ID is not found, do nothing.
@pyqtSlot(str)
def goToPage(self, page_id: str) -> None:
+ """Sets the current page to the given page ID. If the page ID is not found, do nothing."""
page_index = self.getPageIndexById(page_id)
if page_index is None:
# FIXME: If we cannot find the next page, we cannot do anything here.
@@ -165,18 +177,22 @@ class WelcomePagesModel(ListModel):
# Find the next page to show starting from the "page_index"
self.goToNextPage(from_index = page_index)
- # Checks if the page with the given index should be shown by calling the "should_show_function" associated with it.
- # If the function is not present, returns True (show page by default).
def _shouldPageBeShown(self, page_index: int) -> bool:
+ """
+ Checks if the page with the given index should be shown by calling the "should_show_function" associated with
+ it. If the function is not present, returns True (show page by default).
+ """
next_page_item = self.getItem(page_index)
should_show_function = next_page_item.get("should_show_function", lambda: True)
return should_show_function()
- # Resets the state of the WelcomePagesModel. This functions does the following:
- # - Resets current_page_index to 0
- # - Clears the previous page indices stack
@pyqtSlot()
def resetState(self) -> None:
+ """
+ Resets the state of the WelcomePagesModel. This functions does the following:
+ - Resets current_page_index to 0
+ - Clears the previous page indices stack
+ """
self._current_page_index = 0
self._previous_page_indices_stack.clear()
@@ -188,8 +204,8 @@ class WelcomePagesModel(ListModel):
def shouldShowWelcomeFlow(self) -> bool:
return self._should_show_welcome_flow
- # Gets the page index with the given page ID. If the page ID doesn't exist, returns None.
def getPageIndexById(self, page_id: str) -> Optional[int]:
+ """Gets the page index with the given page ID. If the page ID doesn't exist, returns None."""
page_idx = None
for idx, page_item in enumerate(self._items):
if page_item["id"] == page_id:
@@ -197,8 +213,9 @@ class WelcomePagesModel(ListModel):
break
return page_idx
- # Convenience function to get QUrl path to pages that's located in "resources/qml/WelcomePages".
- def _getBuiltinWelcomePagePath(self, page_filename: str) -> "QUrl":
+ @staticmethod
+ def _getBuiltinWelcomePagePath(page_filename: str) -> QUrl:
+ """Convenience function to get QUrl path to pages that's located in "resources/qml/WelcomePages"."""
from cura.CuraApplication import CuraApplication
return QUrl.fromLocalFile(Resources.getPath(CuraApplication.ResourceTypes.QmlFiles,
os.path.join("WelcomePages", page_filename)))
@@ -213,21 +230,22 @@ class WelcomePagesModel(ListModel):
self._initialize()
def _initialize(self, update_should_show_flag: bool = True) -> None:
- show_whatsnew_only = False
+ show_whats_new_only = False
if update_should_show_flag:
has_active_machine = self._application.getMachineManager().activeMachine is not None
has_app_just_upgraded = self._application.hasJustUpdatedFromOldVersion()
# Only show the what's new dialog if there's no machine and we have just upgraded
show_complete_flow = not has_active_machine
- show_whatsnew_only = has_active_machine and has_app_just_upgraded
+ show_whats_new_only = has_active_machine and has_app_just_upgraded
# FIXME: This is a hack. Because of the circular dependency between MachineManager, ExtruderManager, and
- # possibly some others, setting the initial active machine is not done when the MachineManager gets initialized.
- # So at this point, we don't know if there will be an active machine or not. It could be that the active machine
- # files are corrupted so we cannot rely on Preferences either. This makes sure that once the active machine
- # gets changed, this model updates the flags, so it can decide whether to show the welcome flow or not.
- should_show_welcome_flow = show_complete_flow or show_whatsnew_only
+ # possibly some others, setting the initial active machine is not done when the MachineManager gets
+ # initialized. So at this point, we don't know if there will be an active machine or not. It could be that
+ # the active machine files are corrupted so we cannot rely on Preferences either. This makes sure that once
+ # the active machine gets changed, this model updates the flags, so it can decide whether to show the
+ # welcome flow or not.
+ should_show_welcome_flow = show_complete_flow or show_whats_new_only
if should_show_welcome_flow != self._should_show_welcome_flow:
self._should_show_welcome_flow = should_show_welcome_flow
self.shouldShowWelcomeFlowChanged.emit()
@@ -274,23 +292,25 @@ class WelcomePagesModel(ListModel):
]
pages_to_show = all_pages_list
- if show_whatsnew_only:
+ if show_whats_new_only:
pages_to_show = list(filter(lambda x: x["id"] == "whats_new", all_pages_list))
self._pages = pages_to_show
self.setItems(self._pages)
- # For convenience, inject the default "next" button text to each item if it's not present.
def setItems(self, items: List[Dict[str, Any]]) -> None:
+ # For convenience, inject the default "next" button text to each item if it's not present.
for item in items:
if "next_page_button_text" not in item:
item["next_page_button_text"] = self._default_next_button_text
super().setItems(items)
- # Indicates if the machine action panel should be shown by checking if there's any first start machine actions
- # available.
def shouldShowMachineActions(self) -> bool:
+ """
+ Indicates if the machine action panel should be shown by checking if there's any first start machine actions
+ available.
+ """
global_stack = self._application.getMachineManager().activeMachine
if global_stack is None:
return False
@@ -312,6 +332,3 @@ class WelcomePagesModel(ListModel):
def addPage(self) -> None:
pass
-
-
-__all__ = ["WelcomePagesModel"]
diff --git a/cura/UI/WhatsNewPagesModel.py b/cura/UI/WhatsNewPagesModel.py
index 11320a0ebb..b99bdf30f0 100644
--- a/cura/UI/WhatsNewPagesModel.py
+++ b/cura/UI/WhatsNewPagesModel.py
@@ -1,27 +1,39 @@
# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
-from .WelcomePagesModel import WelcomePagesModel
import os
-from typing import Optional, Dict, List, Tuple
+from typing import Optional, Dict, List, Tuple, TYPE_CHECKING
+
from PyQt5.QtCore import pyqtProperty, pyqtSlot
+
from UM.Logger import Logger
from UM.Resources import Resources
-#
-# This Qt ListModel is more or less the same the WelcomePagesModel, except that this model is only for showing the
-# "what's new" page. This is also used in the "Help" menu to show the changes log.
-#
+from cura.UI.WelcomePagesModel import WelcomePagesModel
+
+if TYPE_CHECKING:
+ from PyQt5.QtCore import QObject
+ from cura.CuraApplication import CuraApplication
+
+
class WhatsNewPagesModel(WelcomePagesModel):
+ """
+ This Qt ListModel is more or less the same the WelcomePagesModel, except that this model is only for showing the
+ "what's new" page. This is also used in the "Help" menu to show the changes log.
+ """
image_formats = [".png", ".jpg", ".jpeg", ".gif", ".svg"]
text_formats = [".txt", ".htm", ".html"]
image_key = "image"
text_key = "text"
+ def __init__(self, application: "CuraApplication", parent: Optional["QObject"] = None) -> None:
+ super().__init__(application, parent)
+ self._subpages: List[Dict[str, Optional[str]]] = []
+
@staticmethod
def _collectOrdinalFiles(resource_type: int, include: List[str]) -> Tuple[Dict[int, str], int]:
- result = {} #type: Dict[int, str]
+ result = {} # type: Dict[int, str]
highest = -1
try:
folder_path = Resources.getPath(resource_type, "whats_new")
@@ -65,7 +77,7 @@ class WhatsNewPagesModel(WelcomePagesModel):
texts, max_text = WhatsNewPagesModel._collectOrdinalFiles(Resources.Texts, WhatsNewPagesModel.text_formats)
highest = max(max_image, max_text)
- self._subpages = [] #type: List[Dict[str, Optional[str]]]
+ self._subpages = []
for n in range(0, highest + 1):
self._subpages.append({
WhatsNewPagesModel.image_key: None if n not in images else images[n],
@@ -93,5 +105,3 @@ class WhatsNewPagesModel(WelcomePagesModel):
def getSubpageText(self, page: int) -> str:
result = self._getSubpageItem(page, WhatsNewPagesModel.text_key)
return result if result else "* * *"
-
-__all__ = ["WhatsNewPagesModel"]
diff --git a/cura/UltimakerCloud/CloudMaterialSync.py b/cura/UltimakerCloud/CloudMaterialSync.py
new file mode 100644
index 0000000000..8bf8962eaf
--- /dev/null
+++ b/cura/UltimakerCloud/CloudMaterialSync.py
@@ -0,0 +1,218 @@
+# Copyright (c) 2021 Ultimaker B.V.
+# Cura is released under the terms of the LGPLv3 or higher.
+
+from PyQt5.QtCore import pyqtProperty, pyqtSignal, pyqtSlot, QObject, QUrl
+from PyQt5.QtGui import QDesktopServices
+from typing import Dict, Optional, TYPE_CHECKING
+import zipfile # To export all materials in a .zip archive.
+
+import cura.CuraApplication # Imported like this to prevent circular imports.
+from UM.Resources import Resources
+from cura.PrinterOutput.UploadMaterialsJob import UploadMaterialsJob, UploadMaterialsError # To export materials to the output printer.
+from cura.Settings.CuraContainerRegistry import CuraContainerRegistry
+from UM.i18n import i18nCatalog
+from UM.Logger import Logger
+from UM.Message import Message
+
+if TYPE_CHECKING:
+ from UM.Signal import Signal
+catalog = i18nCatalog("cura")
+
+class CloudMaterialSync(QObject):
+ """
+ Handles the synchronisation of material profiles with cloud accounts.
+ """
+
+ def __init__(self, parent: QObject = None):
+ super().__init__(parent)
+ self.sync_all_dialog = None # type: Optional[QObject]
+ self._export_upload_status = "idle"
+ self._checkIfNewMaterialsWereInstalled()
+ self._export_progress = 0.0
+ self._printer_status = {} # type: Dict[str, str]
+
+ def _checkIfNewMaterialsWereInstalled(self) -> None:
+ """
+ Checks whether new material packages were installed in the latest startup. If there were, then it shows
+ a message prompting the user to sync the materials with their printers.
+ """
+ application = cura.CuraApplication.CuraApplication.getInstance()
+ for package_id, package_data in application.getPackageManager().getPackagesInstalledOnStartup().items():
+ if package_data["package_info"]["package_type"] == "material":
+ # At least one new material was installed
+ self._showSyncNewMaterialsMessage()
+ break
+
+ def openSyncAllWindow(self):
+
+ self.reset()
+
+ if self.sync_all_dialog is None:
+ qml_path = Resources.getPath(cura.CuraApplication.CuraApplication.ResourceTypes.QmlFiles, "Preferences",
+ "Materials", "MaterialsSyncDialog.qml")
+ self.sync_all_dialog = cura.CuraApplication.CuraApplication.getInstance().createQmlComponent(
+ qml_path, {})
+ if self.sync_all_dialog is None: # Failed to load QML file.
+ return
+ self.sync_all_dialog.setProperty("syncModel", self)
+ self.sync_all_dialog.setProperty("pageIndex", 0) # Return to first page.
+ self.sync_all_dialog.setProperty("hasExportedUsb", False) # If the user exported USB before, reset that page.
+ self.sync_all_dialog.setProperty("syncStatusText", "") # Reset any previous error messages.
+ self.sync_all_dialog.show()
+
+ def _showSyncNewMaterialsMessage(self) -> None:
+ sync_materials_message = Message(
+ text = catalog.i18nc("@action:button",
+ "Please sync the material profiles with your printers before starting to print."),
+ title = catalog.i18nc("@action:button", "New materials installed"),
+ message_type = Message.MessageType.WARNING,
+ lifetime = 0
+ )
+
+ sync_materials_message.addAction(
+ "sync",
+ name = catalog.i18nc("@action:button", "Sync materials with printers"),
+ icon = "",
+ description = "Sync your newly installed materials with your printers.",
+ button_align = Message.ActionButtonAlignment.ALIGN_RIGHT
+ )
+
+ sync_materials_message.addAction(
+ "learn_more",
+ name = catalog.i18nc("@action:button", "Learn more"),
+ icon = "",
+ description = "Learn more about syncing your newly installed materials with your printers.",
+ button_align = Message.ActionButtonAlignment.ALIGN_LEFT,
+ button_style = Message.ActionButtonStyle.LINK
+ )
+ sync_materials_message.actionTriggered.connect(self._onSyncMaterialsMessageActionTriggered)
+
+ # Show the message only if there are printers that support material export
+ container_registry = cura.CuraApplication.CuraApplication.getInstance().getContainerRegistry()
+ global_stacks = container_registry.findContainerStacks(type = "machine")
+ if any([stack.supportsMaterialExport for stack in global_stacks]):
+ sync_materials_message.show()
+
+ def _onSyncMaterialsMessageActionTriggered(self, sync_message: Message, sync_message_action: str):
+ if sync_message_action == "sync":
+ self.openSyncAllWindow()
+ sync_message.hide()
+ elif sync_message_action == "learn_more":
+ QDesktopServices.openUrl(QUrl("https://support.ultimaker.com/hc/en-us/articles/360013137919?utm_source=cura&utm_medium=software&utm_campaign=sync-material-printer-message"))
+
+ @pyqtSlot(result = QUrl)
+ def getPreferredExportAllPath(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.
+ """
+ cura_application = cura.CuraApplication.CuraApplication.getInstance()
+ device_manager = cura_application.getOutputDeviceManager()
+ devices = device_manager.getOutputDevices()
+ for device in devices:
+ if device.__class__.__name__ == "RemovableDriveOutputDevice":
+ return QUrl.fromLocalFile(device.getId())
+ else: # No removable drives? Use local path.
+ return cura_application.getDefaultPath("dialog_material_path")
+
+ @pyqtSlot(QUrl)
+ def exportAll(self, file_path: QUrl, notify_progress: Optional["Signal"] = None) -> None:
+ """
+ Export all materials to a certain file path.
+ :param file_path: The path to export the materials to.
+ """
+ registry = CuraContainerRegistry.getInstance()
+
+ # Create empty archive.
+ try:
+ archive = zipfile.ZipFile(file_path.toLocalFile(), "w", compression = zipfile.ZIP_DEFLATED)
+ except OSError as e:
+ Logger.log("e", f"Can't write to destination {file_path.toLocalFile()}: {type(e)} - {str(e)}")
+ error_message = Message(
+ text = catalog.i18nc("@message:text", "Could not save material archive to {}:").format(file_path.toLocalFile()) + " " + str(e),
+ title = catalog.i18nc("@message:title", "Failed to save material archive"),
+ message_type = Message.MessageType.ERROR
+ )
+ error_message.show()
+ return
+
+ materials_metadata = registry.findInstanceContainersMetadata(type = "material")
+ for index, metadata in enumerate(materials_metadata):
+ if notify_progress is not None:
+ progress = index / len(materials_metadata)
+ notify_progress.emit(progress)
+ 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
+ try:
+ archive.writestr(filename, material.serialize())
+ except OSError as e:
+ Logger.log("e", f"An error has occurred while writing the material \'{metadata['id']}\' in the file \'{filename}\': {e}.")
+
+ exportUploadStatusChanged = pyqtSignal()
+
+ @pyqtProperty(str, notify = exportUploadStatusChanged)
+ def exportUploadStatus(self) -> str:
+ return self._export_upload_status
+
+ @pyqtSlot()
+ def exportUpload(self) -> None:
+ """
+ Export all materials and upload them to the user's account.
+ """
+ self._export_upload_status = "uploading"
+ self.exportUploadStatusChanged.emit()
+ job = UploadMaterialsJob(self)
+ job.uploadProgressChanged.connect(self._onUploadProgressChanged)
+ job.uploadCompleted.connect(self.exportUploadCompleted)
+ job.start()
+
+ def _onUploadProgressChanged(self, progress: float, printers_status: Dict[str, str]):
+ self.setExportProgress(progress)
+ self.setPrinterStatus(printers_status)
+
+ def exportUploadCompleted(self, job_result: UploadMaterialsJob.Result, job_error: Optional[Exception]):
+ if not self.sync_all_dialog: # Shouldn't get triggered before the dialog is open, but better to check anyway.
+ return
+ if job_result == UploadMaterialsJob.Result.FAILED:
+ if isinstance(job_error, UploadMaterialsError):
+ self.sync_all_dialog.setProperty("syncStatusText", str(job_error))
+ else: # Could be "None"
+ self.sync_all_dialog.setProperty("syncStatusText", catalog.i18nc("@text", "Unknown error."))
+ self._export_upload_status = "error"
+ else:
+ self._export_upload_status = "success"
+ self.exportUploadStatusChanged.emit()
+
+ exportProgressChanged = pyqtSignal(float)
+
+ def setExportProgress(self, progress: float) -> None:
+ self._export_progress = progress
+ self.exportProgressChanged.emit(self._export_progress)
+
+ @pyqtProperty(float, fset = setExportProgress, notify = exportProgressChanged)
+ def exportProgress(self) -> float:
+ return self._export_progress
+
+ printerStatusChanged = pyqtSignal()
+
+ def setPrinterStatus(self, new_status: Dict[str, str]) -> None:
+ self._printer_status = new_status
+ self.printerStatusChanged.emit()
+
+ @pyqtProperty("QVariantMap", fset = setPrinterStatus, notify = printerStatusChanged)
+ def printerStatus(self) -> Dict[str, str]:
+ return self._printer_status
+
+ def reset(self) -> None:
+ self.setPrinterStatus({})
+ self.setExportProgress(0.0)
+ self._export_upload_status = "idle"
+ self.exportUploadStatusChanged.emit()
diff --git a/cura/UltimakerCloud/UltimakerCloudConstants.py b/cura/UltimakerCloud/UltimakerCloudConstants.py
index 0c8ea0c9c7..f65d500fb7 100644
--- a/cura/UltimakerCloud/UltimakerCloudConstants.py
+++ b/cura/UltimakerCloud/UltimakerCloudConstants.py
@@ -13,6 +13,9 @@ DEFAULT_DIGITAL_FACTORY_URL = "https://digitalfactory.ultimaker.com" # type: st
META_UM_LINKED_TO_ACCOUNT = "um_linked_to_account"
"""(bool) Whether a cloud printer is linked to an Ultimaker account"""
+META_CAPABILITIES = "capabilities"
+"""(list[str]) a list of capabilities this printer supports"""
+
try:
from cura.CuraVersion import CuraCloudAPIRoot # type: ignore
if CuraCloudAPIRoot == "":
diff --git a/cura/UltimakerCloud/UltimakerCloudScope.py b/cura/UltimakerCloud/UltimakerCloudScope.py
index 5477423099..bbcc8e2aa9 100644
--- a/cura/UltimakerCloud/UltimakerCloudScope.py
+++ b/cura/UltimakerCloud/UltimakerCloudScope.py
@@ -1,9 +1,15 @@
+# Copyright (c) 2021 Ultimaker B.V.
+# Cura is released under the terms of the LGPLv3 or higher.
+
from PyQt5.QtNetwork import QNetworkRequest
from UM.Logger import Logger
from UM.TaskManagement.HttpRequestScope import DefaultUserAgentScope
-from cura.API import Account
-from cura.CuraApplication import CuraApplication
+
+from typing import TYPE_CHECKING
+if TYPE_CHECKING:
+ from cura.CuraApplication import CuraApplication
+ from cura.API.Account import Account
class UltimakerCloudScope(DefaultUserAgentScope):
@@ -12,7 +18,7 @@ class UltimakerCloudScope(DefaultUserAgentScope):
Also add the user agent headers (see DefaultUserAgentScope).
"""
- def __init__(self, application: CuraApplication):
+ def __init__(self, application: "CuraApplication"):
super().__init__(application)
api = application.getCuraAPI()
self._account = api.account # type: Account
diff --git a/cura_app.py b/cura_app.py
index 57692ec0ae..b9a42f0aba 100755
--- a/cura_app.py
+++ b/cura_app.py
@@ -48,6 +48,8 @@ if with_sentry_sdk:
sentry_env = "development" # Master is always a development version.
elif "beta" in ApplicationMetadata.CuraVersion or "BETA" in ApplicationMetadata.CuraVersion:
sentry_env = "beta"
+ elif "alpha" in ApplicationMetadata.CuraVersion or "ALPHA" in ApplicationMetadata.CuraVersion:
+ sentry_env = "alpha"
try:
if ApplicationMetadata.CuraVersion.split(".")[2] == "99":
sentry_env = "nightly"
diff --git a/plugins/3MFReader/ThreeMFWorkspaceReader.py b/plugins/3MFReader/ThreeMFWorkspaceReader.py
index ee8652839d..5f57e49cc6 100755
--- a/plugins/3MFReader/ThreeMFWorkspaceReader.py
+++ b/plugins/3MFReader/ThreeMFWorkspaceReader.py
@@ -49,7 +49,9 @@ _ignored_machine_network_metadata = {
"removal_warning",
"group_name",
"group_size",
- "connection_type"
+ "connection_type",
+ "capabilities",
+ "octoprint_api_key",
} # type: Set[str]
@@ -377,7 +379,9 @@ class ThreeMFWorkspaceReader(WorkspaceReader):
# - the global stack DOESN'T exist but some/all of the extruder stacks exist
# To simplify this, only check if the global stack exists or not
global_stack_id = self._stripFileToId(global_stack_file)
+
serialized = archive.open(global_stack_file).read().decode("utf-8")
+
serialized = GlobalStack._updateSerialized(serialized, global_stack_file)
machine_name = self._getMachineNameFromSerializedStack(serialized)
self._machine_info.metadata_dict = self._getMetaDataDictFromSerializedStack(serialized)
diff --git a/plugins/3MFWriter/ThreeMFWorkspaceWriter.py b/plugins/3MFWriter/ThreeMFWorkspaceWriter.py
index 9f4ab8e5fa..d6cc6ea159 100644
--- a/plugins/3MFWriter/ThreeMFWorkspaceWriter.py
+++ b/plugins/3MFWriter/ThreeMFWorkspaceWriter.py
@@ -32,6 +32,12 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter):
Logger.error("3MF Writer class is unavailable. Can't write workspace.")
return False
+ global_stack = machine_manager.activeMachine
+ if global_stack is None:
+ self.setInformation(catalog.i18nc("@error", "There is no workspace yet to write. Please add a printer first."))
+ Logger.error("Tried to write a 3MF workspace before there was a global stack.")
+ return False
+
# Indicate that the 3mf mesh writer should not close the archive just yet (we still need to add stuff to it).
mesh_writer.setStoreArchive(True)
mesh_writer.write(stream, nodes, mode)
@@ -40,7 +46,6 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter):
if archive is None: # This happens if there was no mesh data to write.
archive = zipfile.ZipFile(stream, "w", compression = zipfile.ZIP_DEFLATED)
- global_stack = machine_manager.activeMachine
try:
# Add global container stack data to the archive.
@@ -149,7 +154,8 @@ class ThreeMFWorkspaceWriter(WorkspaceWriter):
"group_name",
"group_size",
"connection_type",
- "octoprint_api_key"
+ "capabilities",
+ "octoprint_api_key",
}
serialized_data = container.serialize(ignored_metadata_keys = ignore_keys)
diff --git a/plugins/3MFWriter/ThreeMFWriter.py b/plugins/3MFWriter/ThreeMFWriter.py
index c85eca88bf..45ba556d65 100644
--- a/plugins/3MFWriter/ThreeMFWriter.py
+++ b/plugins/3MFWriter/ThreeMFWriter.py
@@ -10,6 +10,10 @@ from UM.Application import Application
from UM.Scene.SceneNode import SceneNode
from cura.CuraApplication import CuraApplication
+from cura.Utils.Threading import call_on_qt_thread
+from cura.Snapshot import Snapshot
+
+from PyQt5.QtCore import QBuffer
import Savitar
@@ -149,6 +153,22 @@ class ThreeMFWriter(MeshWriter):
relations_element = ET.Element("Relationships", xmlns = self._namespaces["relationships"])
model_relation_element = ET.SubElement(relations_element, "Relationship", Target = "/3D/3dmodel.model", Id = "rel0", Type = "http://schemas.microsoft.com/3dmanufacturing/2013/01/3dmodel")
+ # Attempt to add a thumbnail
+ snapshot = self._createSnapshot()
+ if snapshot:
+ thumbnail_buffer = QBuffer()
+ thumbnail_buffer.open(QBuffer.ReadWrite)
+ snapshot.save(thumbnail_buffer, "PNG")
+
+ thumbnail_file = zipfile.ZipInfo("Metadata/thumbnail.png")
+ # Don't try to compress snapshot file, because the PNG is pretty much as compact as it will get
+ archive.writestr(thumbnail_file, thumbnail_buffer.data())
+
+ # Add PNG to content types file
+ thumbnail_type = ET.SubElement(content_types, "Default", Extension = "png", ContentType = "image/png")
+ # Add thumbnail relation to _rels/.rels file
+ thumbnail_relation_element = ET.SubElement(relations_element, "Relationship", Target = "/Metadata/thumbnail.png", Id = "rel1", Type = "http://schemas.openxmlformats.org/package/2006/relationships/metadata/thumbnail")
+
savitar_scene = Savitar.Scene()
metadata_to_store = CuraApplication.getInstance().getController().getScene().getMetaData()
@@ -212,3 +232,17 @@ class ThreeMFWriter(MeshWriter):
self._archive = archive
return True
+
+ @call_on_qt_thread # must be called from the main thread because of OpenGL
+ def _createSnapshot(self):
+ Logger.log("d", "Creating thumbnail image...")
+ if not CuraApplication.getInstance().isVisible:
+ Logger.log("w", "Can't create snapshot when renderer not initialized.")
+ return None
+ try:
+ snapshot = Snapshot.snapshot(width = 300, height = 300)
+ except:
+ Logger.logException("w", "Failed to create snapshot image")
+ return None
+
+ return snapshot
diff --git a/plugins/CuraEngineBackend/StartSliceJob.py b/plugins/CuraEngineBackend/StartSliceJob.py
index 9e53ce8b3a..7e01e96b06 100644
--- a/plugins/CuraEngineBackend/StartSliceJob.py
+++ b/plugins/CuraEngineBackend/StartSliceJob.py
@@ -123,6 +123,9 @@ class StartSliceJob(Job):
Job.yieldThread()
for changed_setting_key in changed_setting_keys:
+ if not stack.getProperty(changed_setting_key, "enabled"):
+ continue
+
validation_state = stack.getProperty(changed_setting_key, "validationState")
if validation_state is None:
diff --git a/plugins/DigitalLibrary/src/DigitalFactoryController.py b/plugins/DigitalLibrary/src/DigitalFactoryController.py
index e1b1c62172..ba5ee48888 100644
--- a/plugins/DigitalLibrary/src/DigitalFactoryController.py
+++ b/plugins/DigitalLibrary/src/DigitalFactoryController.py
@@ -261,7 +261,10 @@ class DigitalFactoryController(QObject):
"""
Error function, called whenever the retrieval of the files in a library project fails.
"""
- Logger.log("w", "Failed to retrieve the list of files in project '{}' from the Digital Library".format(self._project_model._projects[self._selected_project_idx]))
+ try:
+ Logger.warning(f"Failed to retrieve the list of files in project '{self._project_model._projects[self._selected_project_idx]}' from the Digital Library")
+ except IndexError:
+ Logger.warning(f"Failed to retrieve the list of files in a project from the Digital Library. And failed to get the project too.")
self.setRetrievingFilesStatus(RetrievalStatus.Failed)
@pyqtSlot()
diff --git a/plugins/GCodeReader/FlavorParser.py b/plugins/GCodeReader/FlavorParser.py
index 48a81324f6..bb99aa59ec 100644
--- a/plugins/GCodeReader/FlavorParser.py
+++ b/plugins/GCodeReader/FlavorParser.py
@@ -198,7 +198,7 @@ class FlavorParser:
# Only when extruding we can determine the latest known "layer height" which is the difference in height between extrusions
# Also, 1.5 is a heuristic for any priming or whatsoever, we skip those.
- if z > self._previous_z and (z - self._previous_z < 1.5):
+ if z > self._previous_z and (z - self._previous_z < 1.5) and (params.x is not None or params.y is not None):
self._current_layer_thickness = z - self._previous_z # allow a tiny overlap
self._previous_z = z
elif self._previous_extrusion_value > e[self._extruder_number]:
diff --git a/plugins/PostProcessingPlugin/scripts/ChangeAtZ.py b/plugins/PostProcessingPlugin/scripts/ChangeAtZ.py
index 3a46fcabdf..72b26b13f6 100644
--- a/plugins/PostProcessingPlugin/scripts/ChangeAtZ.py
+++ b/plugins/PostProcessingPlugin/scripts/ChangeAtZ.py
@@ -11,6 +11,8 @@
# Modified by Jaime van Kessel (Ultimaker), j.vankessel@ultimaker.com to make it work for 15.10 / 2.x
# Modified by Ghostkeeper (Ultimaker), rubend@tutanota.com, to debug.
# Modified by Wes Hanney, https://github.com/novamxd, Retract Length + Speed, Clean up
+# Modified by Alex Jaxon, https://github.com/legend069, Added option to modify Build Volume Temperature
+
# history / changelog:
# V3.0.1: TweakAtZ-state default 1 (i.e. the plugin works without any TweakAtZ comment)
@@ -33,13 +35,17 @@
# V5.0: Bugfix for fall back after one layer and doubled G0 commands when using print speed tweak, Initial version for Cura 2.x
# V5.0.1: Bugfix for calling unknown property 'bedTemp' of previous settings storage and unknown variable 'speed'
# V5.1: API Changes included for use with Cura 2.2
-# V5.2.0: Wes Hanney. Added support for changing Retract Length and Speed. Removed layer spread option. Fixed issue of cumulative ChangeZ
+# V5.2.0: Wes Hanney. Added support for changing Retract Length and Speed. Removed layer spread option. Fixed issue of cumulative ChangeAtZ
# mods so they can now properly be stacked on top of each other. Applied code refactoring to clean up various coding styles. Added comments.
# Broke up functions for clarity. Split up class so it can be debugged outside of Cura.
# V5.2.1: Wes Hanney. Added support for firmware based retractions. Fixed issue of properly restoring previous values in single layer option.
# Added support for outputting changes to LCD (untested). Added type hints to most functions and variables. Added more comments. Created GCodeCommand
# class for better detection of G1 vs G10 or G11 commands, and accessing arguments. Moved most GCode methods to GCodeCommand class. Improved wording
# of Single Layer vs Keep Layer to better reflect what was happening.
+# V5.3.0 Alex Jaxon, Added option to modify Build Volume Temperature keeping current format
+#
+
+
# Uses -
# M220 S - set speed factor override percentage
@@ -56,9 +62,9 @@ from ..Script import Script
import re
-# this was broken up into a separate class so the main ChangeZ script could be debugged outside of Cura
+# this was broken up into a separate class so the main ChangeAtZ script could be debugged outside of Cura
class ChangeAtZ(Script):
- version = "5.2.1"
+ version = "5.3.0"
def getSettingDataString(self):
return """{
@@ -69,10 +75,10 @@ class ChangeAtZ(Script):
"settings": {
"caz_enabled": {
"label": "Enabled",
- "description": "Allows adding multiple ChangeZ mods and disabling them as needed.",
+ "description": "Allows adding multiple ChangeAtZ mods and disabling them as needed.",
"type": "bool",
"default_value": true
- },
+ },
"a_trigger": {
"label": "Trigger",
"description": "Trigger at height or at layer no.",
@@ -119,7 +125,7 @@ class ChangeAtZ(Script):
"description": "Displays the current changes to the LCD",
"type": "bool",
"default_value": false
- },
+ },
"e1_Change_speed": {
"label": "Change Speed",
"description": "Select if total speed (print and travel) has to be changed",
@@ -222,6 +228,23 @@ class ChangeAtZ(Script):
"maximum_value_warning": "120",
"enabled": "h1_Change_bedTemp"
},
+ "h1_Change_buildVolumeTemperature": {
+ "label": "Change Build Volume Temperature",
+ "description": "Select if Build Volume Temperature has to be changed",
+ "type": "bool",
+ "default_value": false
+ },
+ "h2_buildVolumeTemperature": {
+ "label": "Build Volume Temperature",
+ "description": "New Build Volume Temperature",
+ "unit": "C",
+ "type": "float",
+ "default_value": 20,
+ "minimum_value": "0",
+ "minimum_value_warning": "10",
+ "maximum_value_warning": "50",
+ "enabled": "h1_Change_buildVolumeTemperature"
+ },
"i1_Change_extruderOne": {
"label": "Change Extruder 1 Temp",
"description": "Select if First Extruder Temperature has to be changed",
@@ -278,25 +301,25 @@ class ChangeAtZ(Script):
"description": "Indicates you would like to modify retraction properties.",
"type": "bool",
"default_value": false
- },
+ },
"caz_retractstyle": {
"label": "Retract Style",
"description": "Specify if you're using firmware retraction or linear move based retractions. Check your printer settings to see which you're using.",
"type": "enum",
"options": {
- "linear": "Linear Move",
+ "linear": "Linear Move",
"firmware": "Firmware"
},
"default_value": "linear",
"enabled": "caz_change_retract"
- },
+ },
"caz_change_retractfeedrate": {
"label": "Change Retract Feed Rate",
"description": "Changes the retraction feed rate during print",
"type": "bool",
"default_value": false,
"enabled": "caz_change_retract"
- },
+ },
"caz_retractfeedrate": {
"label": "Retract Feed Rate",
"description": "New Retract Feed Rate (mm/s)",
@@ -325,7 +348,7 @@ class ChangeAtZ(Script):
"minimum_value_warning": "0",
"maximum_value_warning": "20",
"enabled": "caz_change_retractlength"
- }
+ }
}
}"""
@@ -345,6 +368,7 @@ class ChangeAtZ(Script):
self.setIntSettingIfEnabled(caz_instance, "g3_Change_flowrateOne", "flowrateOne", "g4_flowrateOne")
self.setIntSettingIfEnabled(caz_instance, "g5_Change_flowrateTwo", "flowrateTwo", "g6_flowrateTwo")
self.setFloatSettingIfEnabled(caz_instance, "h1_Change_bedTemp", "bedTemp", "h2_bedTemp")
+ self.setFloatSettingIfEnabled(caz_instance, "h1_Change_buildVolumeTemperature", "buildVolumeTemperature", "h2_buildVolumeTemperature")
self.setFloatSettingIfEnabled(caz_instance, "i1_Change_extruderOne", "extruderOne", "i2_extruderOne")
self.setFloatSettingIfEnabled(caz_instance, "i3_Change_extruderTwo", "extruderTwo", "i4_extruderTwo")
self.setIntSettingIfEnabled(caz_instance, "j1_Change_fanSpeed", "fanSpeed", "j2_fanSpeed")
@@ -776,6 +800,10 @@ class ChangeAtZProcessor:
if "bedTemp" in values:
codes.append("BedTemp: " + str(round(values["bedTemp"])))
+ # looking for wait for Build Volume Temperature
+ if "buildVolumeTemperature" in values:
+ codes.append("buildVolumeTemperature: " + str(round(values["buildVolumeTemperature"])))
+
# set our extruder one temp (if specified)
if "extruderOne" in values:
codes.append("Extruder 1 Temp: " + str(round(values["extruderOne"])))
@@ -858,6 +886,10 @@ class ChangeAtZProcessor:
if "bedTemp" in values:
codes.append("M140 S" + str(values["bedTemp"]))
+ # looking for wait for Build Volume Temperature
+ if "buildVolumeTemperature" in values:
+ codes.append("M141 S" + str(values["buildVolumeTemperature"]))
+
# set our extruder one temp (if specified)
if "extruderOne" in values:
codes.append("M104 S" + str(values["extruderOne"]) + " T0")
@@ -943,7 +975,7 @@ class ChangeAtZProcessor:
# nothing to do
return ""
- # Returns the unmodified GCODE line from previous ChangeZ edits
+ # Returns the unmodified GCODE line from previous ChangeAtZ edits
@staticmethod
def getOriginalLine(line: str) -> str:
@@ -990,7 +1022,7 @@ class ChangeAtZProcessor:
else:
return self.currentZ >= self.targetZ
- # Marks any current ChangeZ layer defaults in the layer for deletion
+ # Marks any current ChangeAtZ layer defaults in the layer for deletion
@staticmethod
def markChangesForDeletion(layer: str):
return re.sub(r";\[CAZD:", ";[CAZD:DELETE:", layer)
@@ -1288,7 +1320,7 @@ class ChangeAtZProcessor:
# flag that we're inside our target layer
self.insideTargetLayer = True
- # Removes all the ChangeZ layer defaults from the given layer
+ # Removes all the ChangeAtZ layer defaults from the given layer
@staticmethod
def removeMarkedChanges(layer: str) -> str:
return re.sub(r";\[CAZD:DELETE:[\s\S]+?:CAZD\](\n|$)", "", layer)
@@ -1364,6 +1396,16 @@ class ChangeAtZProcessor:
# move to the next command
return
+ # handle Build Volume Temperature changes, really shouldn't want to wait for enclousure temp mid print though.
+ if command.command == "M141" or command.command == "M191":
+
+ # get our bed temp if provided
+ if "S" in command.arguments:
+ self.lastValues["buildVolumeTemperature"] = command.getArgumentAsFloat("S")
+
+ # move to the next command
+ return
+
# handle extruder temp changes
if command.command == "M104" or command.command == "M109":
diff --git a/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py b/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py
index 9db59c0876..b31b8efa7c 100644
--- a/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py
+++ b/plugins/PostProcessingPlugin/scripts/PauseAtHeight.py
@@ -458,7 +458,7 @@ class PauseAtHeight(Script):
# Optionally extrude material
if extrude_amount != 0:
- prepend_gcode += self.putValue(G = 1, E = extrude_amount, F = 200) + "\n"
+ prepend_gcode += self.putValue(G = 1, E = extrude_amount, F = 200) + "; Extra extrude after the unpause\n"
prepend_gcode += self.putValue("@info wait for cleaning nozzle from previous filament") + "\n"
prepend_gcode += self.putValue("@pause remove the waste filament from parking area and press continue printing") + "\n"
@@ -479,7 +479,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) + "\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"
@@ -489,18 +497,17 @@ class PauseAtHeight(Script):
# Set extruder resume temperature
prepend_gcode += self.putValue(M = 109, S = int(target_temperature.get(current_t, 0))) + " ; resume temperature\n"
- # Push the filament back,
- if retraction_amount != 0:
- prepend_gcode += self.putValue(G = 1, E = retraction_amount, F = retraction_speed * 60) + "\n"
+ if extrude_amount != 0: # Need to prime after the pause.
+ # Push the filament back.
+ if retraction_amount != 0:
+ prepend_gcode += self.putValue(G = 1, E = retraction_amount, F = retraction_speed * 60) + "\n"
- # Optionally extrude material
- if extrude_amount != 0:
- prepend_gcode += self.putValue(G = 1, E = extrude_amount, F = extrude_speed * 60) + "\n"
+ # Prime the material.
+ prepend_gcode += self.putValue(G = 1, E = extrude_amount, F = extrude_speed * 60) + "; Extra extrude after the unpause\n"
- # and retract again, the properly primes the nozzle
- # when changing filament.
- if retraction_amount != 0:
- prepend_gcode += self.putValue(G = 1, E = -retraction_amount, F = retraction_speed * 60) + "\n"
+ # And retract again to make the movements back to the starting position.
+ if retraction_amount != 0:
+ prepend_gcode += self.putValue(G = 1, E = -retraction_amount, F = retraction_speed * 60) + "\n"
# Move the head back
if park_enabled:
diff --git a/plugins/SentryLogger/SentryLogger.py b/plugins/SentryLogger/SentryLogger.py
index 29230abb1f..0a65e1e00a 100644
--- a/plugins/SentryLogger/SentryLogger.py
+++ b/plugins/SentryLogger/SentryLogger.py
@@ -11,7 +11,6 @@ try:
except ImportError:
pass
from typing import Optional
-import os
class SentryLogger(LogOutput):
diff --git a/plugins/SimulationView/SimulationPass.py b/plugins/SimulationView/SimulationPass.py
index 2754fb5d94..1294b37db4 100644
--- a/plugins/SimulationView/SimulationPass.py
+++ b/plugins/SimulationView/SimulationPass.py
@@ -1,4 +1,4 @@
-# Copyright (c) 2020 Ultimaker B.V.
+# Copyright (c) 2021 Ultimaker B.V.
# Cura is released under the terms of the LGPLv3 or higher.
from UM.Math.Color import Color
diff --git a/plugins/SimulationView/layers3d.shader b/plugins/SimulationView/layers3d.shader
index f9d67f284c..b43d998690 100644
--- a/plugins/SimulationView/layers3d.shader
+++ b/plugins/SimulationView/layers3d.shader
@@ -56,12 +56,12 @@ vertex41core =
value = (abs_value - min_value) / (max_value - min_value);
}
float red = value;
- float green = 1-abs(1-4*value);
+ float green = 1.0 - abs(1.0 - 4.0 * value);
if (value > 0.375)
{
green = 0.5;
}
- float blue = max(1-4*value, 0);
+ float blue = max(1.0 - 4.0 * value, 0.0);
return vec4(red, green, blue, 1.0);
}
@@ -76,7 +76,7 @@ vertex41core =
{
value = (abs_value - min_value) / (max_value - min_value);
}
- float red = min(max(4*value-2, 0), 1);
+ float red = min(max(4.0 * value - 2.0, 0.0), 1.0);
float green = min(1.5*value, 0.75);
if (value > 0.75)
{
@@ -98,18 +98,18 @@ vertex41core =
value = (abs_value - min_value) / (max_value - min_value);
}
float red = value;
- float green = 1 - abs(1 - 4 * value);
+ float green = 1.0 - abs(1.0 - 4.0 * value);
if(value > 0.375)
{
green = 0.5;
}
- float blue = max(1 - 4 * value, 0);
+ float blue = max(1.0 - 4.0 * value, 0.0);
return vec4(red, green, blue, 1.0);
}
float clamp(float v)
{
- float t = v < 0 ? 0 : v;
+ float t = v < 0.0 ? 0.0 : v;
return t > 1.0 ? 1.0 : t;
}
diff --git a/plugins/SimulationView/plugin.json b/plugins/SimulationView/plugin.json
index 5ea5e20596..39c528f89d 100644
--- a/plugins/SimulationView/plugin.json
+++ b/plugins/SimulationView/plugin.json
@@ -2,7 +2,7 @@
"name": "Simulation View",
"author": "Ultimaker B.V.",
"version": "1.0.1",
- "description": "Provides the Simulation view.",
+ "description": "Provides the preview of sliced layerdata.",
"api": 7,
"i18n-catalog": "cura"
}
diff --git a/plugins/SupportEraser/SupportEraser.py b/plugins/SupportEraser/SupportEraser.py
index 35f597dcc5..b64a0f4eed 100644
--- a/plugins/SupportEraser/SupportEraser.py
+++ b/plugins/SupportEraser/SupportEraser.py
@@ -6,6 +6,7 @@ from PyQt5.QtWidgets import QApplication
from UM.Application import Application
from UM.Math.Vector import Vector
+from UM.Operations.TranslateOperation import TranslateOperation
from UM.Tool import Tool
from UM.Event import Event, MouseEvent
from UM.Mesh.MeshBuilder import MeshBuilder
@@ -120,8 +121,8 @@ class SupportEraser(Tool):
# First add node to the scene at the correct position/scale, before parenting, so the eraser mesh does not get scaled with the parent
op.addOperation(AddSceneNodeOperation(node, self._controller.getScene().getRoot()))
op.addOperation(SetParentOperation(node, parent))
+ op.addOperation(TranslateOperation(node, position, set_position = True))
op.push()
- node.setPosition(position, CuraSceneNode.TransformSpace.World)
CuraApplication.getInstance().getController().getScene().sceneChanged.emit(node)
diff --git a/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py b/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py
index 4c1818e4ee..6d2ed1dcbd 100644
--- a/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py
+++ b/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py
@@ -66,7 +66,7 @@ class CloudPackageChecker(QObject):
self._application.getHttpRequestManager().get(url,
callback = self._onUserPackagesRequestFinished,
error_callback = self._onUserPackagesRequestFinished,
- timeout=10,
+ timeout = 10,
scope = self._scope)
def _onUserPackagesRequestFinished(self, reply: "QNetworkReply", error: Optional["QNetworkReply.NetworkError"] = None) -> None:
diff --git a/plugins/UFPReader/plugin.json b/plugins/UFPReader/plugin.json
index 08df39c938..cac7e86236 100644
--- a/plugins/UFPReader/plugin.json
+++ b/plugins/UFPReader/plugin.json
@@ -3,6 +3,6 @@
"author": "Ultimaker B.V.",
"version": "1.0.0",
"description": "Provides support for reading Ultimaker Format Packages.",
- "supported_sdk_versions": ["7.8.0"],
+ "supported_sdk_versions": ["7.9.0"],
"i18n-catalog": "cura"
}
\ No newline at end of file
diff --git a/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml b/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml
index 5a8a0a42b1..23bcc589b1 100644
--- a/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml
+++ b/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml
@@ -73,6 +73,8 @@ Item
switch (printJob.state)
{
case "wait_cleanup":
+ // This hack was removed previously. Then we found out that we don't get back 'aborted_wait_cleanup'
+ // for the UM2+C it seems. Will communicate this to other teams, in the mean time, put this back.
if (printJob.timeTotal > printJob.timeElapsed)
{
return catalog.i18nc("@label:status", "Aborted");
@@ -88,6 +90,20 @@ Item
return catalog.i18nc("@label:status", "Aborting...");
case "aborted": // NOTE: Unused, see above
return catalog.i18nc("@label:status", "Aborted");
+ case "aborted_post_print":
+ return catalog.i18nc("@label:status", "Aborted");
+ case "aborted_wait_user_action":
+ return catalog.i18nc("@label:status", "Aborted");
+ case "aborted_wait_cleanup":
+ return catalog.i18nc("@label:status", "Aborted");
+ case "failed":
+ return catalog.i18nc("@label:status", "Failed");
+ case "failed_post_print":
+ return catalog.i18nc("@label:status", "Failed");
+ case "failed_wait_user_action":
+ return catalog.i18nc("@label:status", "Failed");
+ case "failed_wait_cleanup":
+ return catalog.i18nc("@label:status", "Failed");
case "pausing":
return catalog.i18nc("@label:status", "Pausing...");
case "paused":
@@ -97,7 +113,7 @@ Item
case "queued":
return catalog.i18nc("@label:status", "Action required");
default:
- return catalog.i18nc("@label:status", "Finishes %1 at %2".arg(OutputDevice.getDateCompleted(printJob.timeRemaining)).arg(OutputDevice.getTimeCompleted(printJob.timeRemaining)));
+ return catalog.i18nc("@label:status", "Finishes %1 at %2").arg(OutputDevice.getDateCompleted(printJob.timeRemaining)).arg(OutputDevice.getTimeCompleted(printJob.timeRemaining));
}
}
width: contentWidth
diff --git a/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py b/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py
index b35cd5b5f5..8eecafd49c 100644
--- a/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py
+++ b/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.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
@@ -16,9 +16,10 @@ from UM.Util import parseBool
from cura.API import Account
from cura.API.Account import SyncState
from cura.CuraApplication import CuraApplication
+from cura.Settings.CuraContainerRegistry import CuraContainerRegistry # To update printer metadata with information received about cloud printers.
from cura.Settings.CuraStackBuilder import CuraStackBuilder
from cura.Settings.GlobalStack import GlobalStack
-from cura.UltimakerCloud.UltimakerCloudConstants import META_UM_LINKED_TO_ACCOUNT
+from cura.UltimakerCloud.UltimakerCloudConstants import META_CAPABILITIES, META_UM_LINKED_TO_ACCOUNT
from .CloudApiClient import CloudApiClient
from .CloudOutputDevice import CloudOutputDevice
from ..Models.Http.CloudClusterResponse import CloudClusterResponse
@@ -127,8 +128,12 @@ class CloudOutputDeviceManager:
# to the current account
if not parseBool(self._um_cloud_printers[device_id].getMetaDataEntry(META_UM_LINKED_TO_ACCOUNT, "true")):
self._um_cloud_printers[device_id].setMetaDataEntry(META_UM_LINKED_TO_ACCOUNT, True)
+ if not self._um_cloud_printers[device_id].getMetaDataEntry(META_CAPABILITIES, None):
+ self._um_cloud_printers[device_id].setMetaDataEntry(META_CAPABILITIES, ",".join(cluster_data.capabilities))
self._onDevicesDiscovered(new_clusters)
+ self._updateOnlinePrinters(all_clusters)
+
# Hide the current removed_printers_message, if there is any
if self._removed_printers_message:
self._removed_printers_message.actionTriggered.disconnect(self._onRemovedPrintersMessageActionTriggered)
@@ -154,6 +159,8 @@ class CloudOutputDeviceManager:
self._syncing = False
self._account.setSyncState(self.SYNC_SERVICE_NAME, SyncState.SUCCESS)
+ Logger.debug("Synced cloud printers with account.")
+
def _onGetRemoteClusterFailed(self, reply: QNetworkReply, error: QNetworkReply.NetworkError) -> None:
self._syncing = False
self._account.setSyncState(self.SYNC_SERVICE_NAME, SyncState.ERROR)
@@ -255,6 +262,16 @@ class CloudOutputDeviceManager:
message_text = self.i18n_catalog.i18nc("info:status", "Printers added from Digital Factory:") + ""
message.setText(message_text)
+ def _updateOnlinePrinters(self, printer_responses: Dict[str, CloudClusterResponse]) -> None:
+ """
+ Update the metadata of the printers to store whether they are online or not.
+ :param printer_responses: The responses received from the API about the printer statuses.
+ """
+ for container_stack in CuraContainerRegistry.getInstance().findContainerStacks(type = "machine"):
+ cluster_id = container_stack.getMetaDataEntry("um_cloud_cluster_id", "")
+ if cluster_id in printer_responses:
+ container_stack.setMetaDataEntry("is_online", printer_responses[cluster_id].is_online)
+
def _updateOutdatedMachine(self, outdated_machine: GlobalStack, new_cloud_output_device: CloudOutputDevice) -> None:
"""
Update the cloud metadata of a pre-existing machine that is rediscovered (e.g. if the printer was removed and
diff --git a/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py b/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py
index 1af3d83964..ce6dd1de4d 100644
--- a/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py
+++ b/plugins/UM3NetworkPrinting/src/Models/Http/CloudClusterResponse.py
@@ -37,7 +37,7 @@ class CloudClusterResponse(BaseModel):
self.friendly_name = friendly_name
self.printer_type = printer_type
self.printer_count = printer_count
- self.capabilities = capabilities
+ self.capabilities = capabilities if capabilities is not None else []
super().__init__(**kwargs)
# Validates the model, raising an exception if the model is invalid.
@@ -45,3 +45,10 @@ class CloudClusterResponse(BaseModel):
super().validate()
if not self.cluster_id:
raise ValueError("cluster_id is required on CloudCluster")
+
+ def __repr__(self) -> str:
+ """
+ Convenience function for printing when debugging.
+ :return: A human-readable representation of the data in this object.
+ """
+ return str({k: v for k, v in self.__dict__.items() if k in {"cluster_id", "host_guid", "host_name", "status", "is_online", "host_version", "host_internal_ip", "friendly_name", "printer_type", "printer_count", "capabilities"}})
diff --git a/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py b/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py
index 987ca9fab1..6873582074 100644
--- a/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py
+++ b/plugins/UM3NetworkPrinting/src/Models/Http/ClusterPrintJobStatus.py
@@ -40,7 +40,7 @@ class ClusterPrintJobStatus(BaseModel):
configuration_changes_required: List[
Union[Dict[str, Any], ClusterPrintJobConfigurationChange]] = None,
build_plate: Union[Dict[str, Any], ClusterBuildPlate] = None,
- compatible_machine_families: List[str] = None,
+ compatible_machine_families: Optional[List[str]] = None,
impediments_to_printing: List[Union[Dict[str, Any], ClusterPrintJobImpediment]] = None,
preview_url: Optional[str] = None,
**kwargs) -> None:
@@ -97,7 +97,7 @@ class ClusterPrintJobStatus(BaseModel):
configuration_changes_required) \
if configuration_changes_required else []
self.build_plate = self.parseModel(ClusterBuildPlate, build_plate) if build_plate else None
- self.compatible_machine_families = compatible_machine_families if compatible_machine_families else []
+ self.compatible_machine_families = compatible_machine_families if compatible_machine_families is not None else []
self.impediments_to_printing = self.parseModels(ClusterPrintJobImpediment, impediments_to_printing) \
if impediments_to_printing else []
@@ -130,8 +130,10 @@ class ClusterPrintJobStatus(BaseModel):
model.updateConfiguration(self._createConfigurationModel())
model.updateTimeTotal(self.time_total)
- model.updateTimeElapsed(self.time_elapsed)
- model.updateOwner(self.owner)
+ if self.time_elapsed is not None:
+ model.updateTimeElapsed(self.time_elapsed)
+ if self.owner is not None:
+ model.updateOwner(self.owner)
model.updateState(self.status)
model.setCompatibleMachineFamilies(self.compatible_machine_families)
diff --git a/plugins/VersionUpgrade/VersionUpgrade411to412/VersionUpgrade411to412.py b/plugins/VersionUpgrade/VersionUpgrade411to412/VersionUpgrade411to412.py
index 4fb18486c2..2ae94a11f7 100644
--- a/plugins/VersionUpgrade/VersionUpgrade411to412/VersionUpgrade411to412.py
+++ b/plugins/VersionUpgrade/VersionUpgrade411to412/VersionUpgrade411to412.py
@@ -3,6 +3,7 @@
import configparser
import io
+import json
import os.path
from typing import List, Tuple
@@ -49,6 +50,28 @@ class VersionUpgrade411to412(VersionUpgrade):
# Update version number.
parser["metadata"]["setting_version"] = "19"
+ # If the account scope in 4.11 is outdated, delete it so that the user is enforced to log in again and get the
+ # correct permissions.
+ new_scopes = {"account.user.read",
+ "drive.backup.read",
+ "drive.backup.write",
+ "packages.download",
+ "packages.rating.read",
+ "packages.rating.write",
+ "connect.cluster.read",
+ "connect.cluster.write",
+ "library.project.read",
+ "library.project.write",
+ "cura.printjob.read",
+ "cura.printjob.write",
+ "cura.mesh.read",
+ "cura.mesh.write",
+ "cura.material.write"}
+ if "ultimaker_auth_data" in parser["general"]:
+ ultimaker_auth_data = json.loads(parser["general"]["ultimaker_auth_data"])
+ if new_scopes - set(ultimaker_auth_data["scope"].split(" ")):
+ parser["general"]["ultimaker_auth_data"] = "{}"
+
result = io.StringIO()
parser.write(result)
return [filename], [result.getvalue()]
diff --git a/plugins/VersionUpgrade/VersionUpgrade49to50/VersionUpgrade49to50.py b/plugins/VersionUpgrade/VersionUpgrade49to50/VersionUpgrade49to50.py
new file mode 100644
index 0000000000..a3fccb68ea
--- /dev/null
+++ b/plugins/VersionUpgrade/VersionUpgrade49to50/VersionUpgrade49to50.py
@@ -0,0 +1,118 @@
+# Copyright (c) 2021 Ultimaker B.V.
+# Cura is released under the terms of the LGPLv3 or higher.
+
+import configparser
+from typing import Tuple, List
+import io
+from UM.VersionUpgrade import VersionUpgrade
+
+_removed_settings = {
+ "travel_compensate_overlapping_walls_enabled",
+ "travel_compensate_overlapping_walls_0_enabled",
+ "travel_compensate_overlapping_walls_x_enabled",
+ "fill_perimeter_gaps",
+ "wall_min_flow",
+ "wall_min_flow_retract",
+ "speed_equalize_flow_enabled",
+ "speed_equalize_flow_min"
+}
+
+
+class VersionUpgrade49to50(VersionUpgrade):
+ def upgradePreferences(self, serialized: str, filename: str) -> Tuple[List[str], List[str]]:
+ """
+ Upgrades preferences to remove from the visibility list the settings that were removed in this version.
+ It also changes the preferences to have the new version number.
+
+ This removes any settings that were removed in the new Cura version.
+ :param serialized: The original contents of the preferences file.
+ :param filename: The file name of the preferences file.
+ :return: A list of new file names, and a list of the new contents for
+ those files.
+ """
+ parser = configparser.ConfigParser(interpolation = None)
+ parser.read_string(serialized)
+
+ # Update version number.
+ parser["metadata"]["setting_version"] = "18"
+
+ # Remove deleted settings from the visible settings list.
+ if "general" in parser and "visible_settings" in parser["general"]:
+ visible_settings = set(parser["general"]["visible_settings"].split(";"))
+ for removed in _removed_settings:
+ if removed in visible_settings:
+ visible_settings.remove(removed)
+
+ # Replace Outer Before Inner Walls with equivalent.
+ if "outer_inset_first" in visible_settings:
+ visible_settings.remove("outer_inset_first")
+ visible_settings.add("inset_direction")
+
+ parser["general"]["visible_settings"] = ";".join(visible_settings)
+
+ result = io.StringIO()
+ parser.write(result)
+ return [filename], [result.getvalue()]
+
+ def upgradeInstanceContainer(self, serialized: str, filename: str) -> Tuple[List[str], List[str]]:
+ """
+ Upgrades instance containers to remove the settings that were removed in this version.
+ It also changes the instance containers to have the new version number.
+
+ This removes any settings that were removed in the new Cura version and updates settings that need to be updated
+ with a new value.
+
+ :param serialized: The original contents of the instance container.
+ :param filename: The original file name of the instance container.
+ :return: A list of new file names, and a list of the new contents for
+ those files.
+ """
+ parser = configparser.ConfigParser(interpolation = None, comment_prefixes = ())
+ parser.read_string(serialized)
+
+ # Update version number.
+ parser["metadata"]["setting_version"] = "18"
+
+ if "values" in parser:
+ # Remove deleted settings from the instance containers.
+ for removed in _removed_settings:
+ if removed in parser["values"]:
+ del parser["values"][removed]
+
+ # Replace Outer Before Inner Walls with equivalent setting.
+ if "outer_inset_first" in parser["values"]:
+ old_value = parser["values"]["outer_inset_first"]
+ if old_value.startswith("="): # Was already a formula.
+ old_value = old_value[1:]
+ parser["values"]["inset_direction"] = f"='outside_in' if ({old_value}) else 'inside_out'" # Makes it work both with plain setting values and formulas.
+
+ # Disable Fuzzy Skin as it doesn't work with with the libArachne walls
+ if "magic_fuzzy_skin_enabled" in parser["values"]:
+ parser["values"]["magic_fuzzy_skin_enabled"] = "False"
+
+ 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.
+
+ :param serialized: The original contents of the stack.
+ :param filename: The original file name of the stack.
+ :return: A list of new file names, and a list of the new contents for
+ those files.
+ """
+ parser = configparser.ConfigParser(interpolation = None)
+ parser.read_string(serialized)
+
+ # Update version number.
+ if "metadata" not in parser:
+ parser["metadata"] = {}
+
+ parser["general"]["version"] = "5"
+ parser["metadata"]["setting_version"] = "18"
+
+ result = io.StringIO()
+ parser.write(result)
+ return [filename], [result.getvalue()]
diff --git a/plugins/VersionUpgrade/VersionUpgrade49to50/__init__.py b/plugins/VersionUpgrade/VersionUpgrade49to50/__init__.py
new file mode 100644
index 0000000000..3bf4bea4e1
--- /dev/null
+++ b/plugins/VersionUpgrade/VersionUpgrade49to50/__init__.py
@@ -0,0 +1,61 @@
+# 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 VersionUpgrade49to50
+
+if TYPE_CHECKING:
+ from UM.Application import Application
+
+upgrade = VersionUpgrade49to50.VersionUpgrade49to50()
+
+def getMetaData() -> Dict[str, Any]:
+ return { # Since there is no VersionUpgrade from 48 to 49 yet, upgrade the 48 profiles to 50.
+ "version_upgrade": {
+ # From To Upgrade function
+ ("preferences", 6000016): ("preferences", 6000018, upgrade.upgradePreferences),
+ ("machine_stack", 5000016): ("machine_stack", 5000018, upgrade.upgradeStack),
+ ("extruder_train", 5000016): ("extruder_train", 5000018, upgrade.upgradeStack),
+ ("machine_stack", 4000018): ("machine_stack", 5000018, upgrade.upgradeStack), # We made a mistake in the arachne beta 1
+ ("extruder_train", 4000018): ("extruder_train", 5000018, upgrade.upgradeStack), # We made a mistake in the arachne beta 1
+ ("definition_changes", 4000016): ("definition_changes", 4000018, upgrade.upgradeInstanceContainer),
+ ("quality_changes", 4000016): ("quality_changes", 4000018, upgrade.upgradeInstanceContainer),
+ ("quality", 4000016): ("quality", 4000018, upgrade.upgradeInstanceContainer),
+ ("user", 4000016): ("user", 4000018, upgrade.upgradeInstanceContainer),
+ },
+ "sources": {
+ "preferences": {
+ "get_version": upgrade.getCfgVersion,
+ "location": {"."}
+ },
+ "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/VersionUpgrade49to50/plugin.json b/plugins/VersionUpgrade/VersionUpgrade49to50/plugin.json
new file mode 100644
index 0000000000..bedc7d46e8
--- /dev/null
+++ b/plugins/VersionUpgrade/VersionUpgrade49to50/plugin.json
@@ -0,0 +1,8 @@
+{
+ "name": "Version Upgrade 4.9 to 5.0",
+ "author": "Ultimaker B.V.",
+ "version": "1.0.0",
+ "description": "Upgrades configurations from Cura 4.9 to Cura 5.0.",
+ "api": "7.4.0",
+ "i18n-catalog": "cura"
+}
diff --git a/requirements.txt b/requirements.txt
index 7daca8335a..860c8dbc8a 100644
--- a/requirements.txt
+++ b/requirements.txt
@@ -29,7 +29,7 @@ pywin32==301
requests==2.22.0
scipy==1.6.2
sentry-sdk==0.13.5
-shapely[vectorized]==1.7.1
+shapely[vectorized]==1.8.0
six==1.12.0
trimesh==3.2.33
twisted==21.2.0
diff --git a/resources/bundled_packages/cura.json b/resources/bundled_packages/cura.json
index a5d0ffb2a3..d1914c68ce 100644
--- a/resources/bundled_packages/cura.json
+++ b/resources/bundled_packages/cura.json
@@ -6,7 +6,7 @@
"display_name": "3MF Reader",
"description": "Provides support for reading 3MF files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -23,7 +23,7 @@
"display_name": "3MF Writer",
"description": "Provides support for writing 3MF files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -40,7 +40,7 @@
"display_name": "AMF Reader",
"description": "Provides support for reading AMF files.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "fieldOfView",
@@ -57,7 +57,7 @@
"display_name": "Cura Backups",
"description": "Backup and restore your configuration.",
"package_version": "1.2.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -74,7 +74,7 @@
"display_name": "CuraEngine Backend",
"description": "Provides the link to the CuraEngine slicing backend.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -91,7 +91,7 @@
"display_name": "Cura Profile Reader",
"description": "Provides support for importing Cura profiles.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -108,7 +108,7 @@
"display_name": "Cura Profile Writer",
"description": "Provides support for exporting Cura profiles.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -125,7 +125,7 @@
"display_name": "Ultimaker Digital Library",
"description": "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library.",
"package_version": "1.1.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -142,7 +142,7 @@
"display_name": "Firmware Update Checker",
"description": "Checks for firmware updates.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -159,7 +159,7 @@
"display_name": "Firmware Updater",
"description": "Provides a machine actions for updating firmware.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -176,7 +176,7 @@
"display_name": "Compressed G-code Reader",
"description": "Reads g-code from a compressed archive.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -193,7 +193,7 @@
"display_name": "Compressed G-code Writer",
"description": "Writes g-code to a compressed archive.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -210,7 +210,7 @@
"display_name": "G-Code Profile Reader",
"description": "Provides support for importing profiles from g-code files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -227,7 +227,7 @@
"display_name": "G-Code Reader",
"description": "Allows loading and displaying G-code files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "VictorLarchenko",
@@ -244,7 +244,7 @@
"display_name": "G-Code Writer",
"description": "Writes g-code to a file.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -261,7 +261,7 @@
"display_name": "Image Reader",
"description": "Enables ability to generate printable geometry from 2D image files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -278,7 +278,7 @@
"display_name": "Legacy Cura Profile Reader",
"description": "Provides support for importing profiles from legacy Cura versions.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -295,7 +295,7 @@
"display_name": "Machine Settings Action",
"description": "Provides a way to change machine settings (such as build volume, nozzle size, etc.).",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "fieldOfView",
@@ -312,7 +312,7 @@
"display_name": "Model Checker",
"description": "Checks models and print configuration for possible printing issues and give suggestions.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -329,7 +329,7 @@
"display_name": "Monitor Stage",
"description": "Provides a monitor stage in Cura.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -346,7 +346,7 @@
"display_name": "Per-Object Settings Tool",
"description": "Provides the per-model settings.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -363,7 +363,7 @@
"display_name": "Post Processing",
"description": "Extension that allows for user created scripts for post processing.",
"package_version": "2.2.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -380,7 +380,7 @@
"display_name": "Prepare Stage",
"description": "Provides a prepare stage in Cura.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -397,7 +397,7 @@
"display_name": "Preview Stage",
"description": "Provides a preview stage in Cura.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -414,7 +414,7 @@
"display_name": "Removable Drive Output Device",
"description": "Provides removable drive hotplugging and writing support.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -431,7 +431,7 @@
"display_name": "Sentry Logger",
"description": "Logs certain events so that they can be used by the crash reporter",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -448,7 +448,7 @@
"display_name": "Simulation View",
"description": "Provides the Simulation view.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -465,7 +465,7 @@
"display_name": "Slice Info",
"description": "Submits anonymous slice info. Can be disabled through preferences.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -482,7 +482,7 @@
"display_name": "Solid View",
"description": "Provides a normal solid mesh view.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -499,7 +499,7 @@
"display_name": "Support Eraser Tool",
"description": "Creates an eraser mesh to block the printing of support in certain places.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -516,7 +516,7 @@
"display_name": "Trimesh Reader",
"description": "Provides support for reading model files.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -533,7 +533,7 @@
"display_name": "Toolbox",
"description": "Find, manage and install new Cura packages.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -550,7 +550,7 @@
"display_name": "UFP Reader",
"description": "Provides support for reading Ultimaker Format Packages.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -567,7 +567,7 @@
"display_name": "UFP Writer",
"description": "Provides support for writing Ultimaker Format Packages.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -584,7 +584,7 @@
"display_name": "Ultimaker Machine Actions",
"description": "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.).",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -601,7 +601,7 @@
"display_name": "UM3 Network Printing",
"description": "Manages network connections to Ultimaker 3 printers.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -618,7 +618,7 @@
"display_name": "USB Printing",
"description": "Accepts G-Code and sends them to a printer. Plugin can also update firmware.",
"package_version": "1.0.2",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -635,7 +635,7 @@
"display_name": "Version Upgrade 2.1 to 2.2",
"description": "Upgrades configurations from Cura 2.1 to Cura 2.2.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -652,7 +652,7 @@
"display_name": "Version Upgrade 2.2 to 2.4",
"description": "Upgrades configurations from Cura 2.2 to Cura 2.4.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -669,7 +669,7 @@
"display_name": "Version Upgrade 2.5 to 2.6",
"description": "Upgrades configurations from Cura 2.5 to Cura 2.6.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -686,7 +686,7 @@
"display_name": "Version Upgrade 2.6 to 2.7",
"description": "Upgrades configurations from Cura 2.6 to Cura 2.7.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -703,7 +703,7 @@
"display_name": "Version Upgrade 2.7 to 3.0",
"description": "Upgrades configurations from Cura 2.7 to Cura 3.0.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -720,7 +720,7 @@
"display_name": "Version Upgrade 3.0 to 3.1",
"description": "Upgrades configurations from Cura 3.0 to Cura 3.1.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -737,7 +737,7 @@
"display_name": "Version Upgrade 3.2 to 3.3",
"description": "Upgrades configurations from Cura 3.2 to Cura 3.3.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -754,7 +754,7 @@
"display_name": "Version Upgrade 3.3 to 3.4",
"description": "Upgrades configurations from Cura 3.3 to Cura 3.4.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -771,7 +771,7 @@
"display_name": "Version Upgrade 3.4 to 3.5",
"description": "Upgrades configurations from Cura 3.4 to Cura 3.5.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -788,7 +788,7 @@
"display_name": "Version Upgrade 3.5 to 4.0",
"description": "Upgrades configurations from Cura 3.5 to Cura 4.0.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -805,7 +805,7 @@
"display_name": "Version Upgrade 4.0 to 4.1",
"description": "Upgrades configurations from Cura 4.0 to Cura 4.1.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -822,7 +822,7 @@
"display_name": "Version Upgrade 4.1 to 4.2",
"description": "Upgrades configurations from Cura 4.1 to Cura 4.2.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -839,7 +839,7 @@
"display_name": "Version Upgrade 4.2 to 4.3",
"description": "Upgrades configurations from Cura 4.2 to Cura 4.3.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -856,7 +856,7 @@
"display_name": "Version Upgrade 4.3 to 4.4",
"description": "Upgrades configurations from Cura 4.3 to Cura 4.4.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -873,7 +873,7 @@
"display_name": "Version Upgrade 4.4 to 4.5",
"description": "Upgrades configurations from Cura 4.4 to Cura 4.5.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -890,7 +890,7 @@
"display_name": "Version Upgrade 4.5 to 4.6",
"description": "Upgrades configurations from Cura 4.5 to Cura 4.6.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -907,7 +907,7 @@
"display_name": "Version Upgrade 4.6.0 to 4.6.2",
"description": "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -924,7 +924,7 @@
"display_name": "Version Upgrade 4.6.2 to 4.7",
"description": "Upgrades configurations from Cura 4.6.2 to Cura 4.7.",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -941,7 +941,7 @@
"display_name": "Version Upgrade 4.7.0 to 4.8.0",
"description": "Upgrades configurations from Cura 4.7.0 to Cura 4.8.0",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -958,7 +958,7 @@
"display_name": "Version Upgrade 4.8.0 to 4.9.0",
"description": "Upgrades configurations from Cura 4.8.0 to Cura 4.9.0",
"package_version": "1.0.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -976,7 +976,7 @@
"description": "Upgrades configurations from Cura 4.9 to Cura 4.10",
"package_version": "1.0.0",
"sdk_version": 7,
- "sdk_version_semver": "7.8.0",
+ "sdk_version_semver": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -1011,7 +1011,7 @@
"display_name": "X3D Reader",
"description": "Provides support for reading X3D files.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "SevaAlekseyev",
@@ -1028,7 +1028,7 @@
"display_name": "XML Material Profiles",
"description": "Provides capabilities to read and write XML-based material profiles.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -1045,7 +1045,7 @@
"display_name": "X-Ray View",
"description": "Provides the X-Ray view.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
@@ -1062,7 +1062,7 @@
"display_name": "Generic ABS",
"description": "The generic ABS profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1080,7 +1080,7 @@
"display_name": "Generic BAM",
"description": "The generic BAM profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1098,7 +1098,7 @@
"display_name": "Generic CFF CPE",
"description": "The generic CFF CPE profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1116,7 +1116,7 @@
"display_name": "Generic CFF PA",
"description": "The generic CFF PA profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1134,7 +1134,7 @@
"display_name": "Generic CPE",
"description": "The generic CPE profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1152,7 +1152,7 @@
"display_name": "Generic CPE+",
"description": "The generic CPE+ profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1170,7 +1170,7 @@
"display_name": "Generic GFF CPE",
"description": "The generic GFF CPE profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1188,7 +1188,7 @@
"display_name": "Generic GFF PA",
"description": "The generic GFF PA profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1206,7 +1206,7 @@
"display_name": "Generic HIPS",
"description": "The generic HIPS profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1224,7 +1224,7 @@
"display_name": "Generic Nylon",
"description": "The generic Nylon profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1242,7 +1242,7 @@
"display_name": "Generic PC",
"description": "The generic PC profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1260,7 +1260,7 @@
"display_name": "Generic PETG",
"description": "The generic PETG profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1278,7 +1278,7 @@
"display_name": "Generic PLA",
"description": "The generic PLA profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1296,7 +1296,7 @@
"display_name": "Generic PP",
"description": "The generic PP profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1314,7 +1314,7 @@
"display_name": "Generic PVA",
"description": "The generic PVA profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1332,7 +1332,7 @@
"display_name": "Generic Tough PLA",
"description": "The generic Tough PLA profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1350,7 +1350,7 @@
"display_name": "Generic TPU",
"description": "The generic TPU profile which other profiles can be based upon.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://github.com/Ultimaker/fdm_materials",
"author": {
"author_id": "Generic",
@@ -1368,7 +1368,7 @@
"display_name": "Dagoma Chromatik PLA",
"description": "Filament testé et approuvé pour les imprimantes 3D Dagoma. Chromatik est l'idéal pour débuter et suivre les tutoriels premiers pas. Il vous offre qualité et résistance pour chacune de vos impressions.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://dagoma.fr/boutique/filaments.html",
"author": {
"author_id": "Dagoma",
@@ -1385,7 +1385,7 @@
"display_name": "FABtotum ABS",
"description": "This material is easy to be extruded but it is not the simplest to use. It is one of the most used in 3D printing to get very well finished objects. It is not sustainable and its smoke can be dangerous if inhaled. The reason to prefer this filament to PLA is mainly because of its precision and mechanical specs. ABS (for plastic) stands for Acrylonitrile Butadiene Styrene and it is a thermoplastic which is widely used in everyday objects. It can be printed with any FFF 3D printer which can get to high temperatures as it must be extruded in a range between 220° and 245°, so it’s compatible with all versions of the FABtotum Personal fabricator.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=40",
"author": {
"author_id": "FABtotum",
@@ -1402,7 +1402,7 @@
"display_name": "FABtotum Nylon",
"description": "When 3D printing started this material was not listed among the extrudable filaments. It is flexible as well as resistant to tractions. It is well known for its uses in textile but also in industries which require a strong and flexible material. There are different kinds of Nylon: 3D printing mostly uses Nylon 6 and Nylon 6.6, which are the most common. It requires higher temperatures to be printed, so a 3D printer must be able to reach them (around 240°C): the FABtotum, of course, can.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=53",
"author": {
"author_id": "FABtotum",
@@ -1419,7 +1419,7 @@
"display_name": "FABtotum PLA",
"description": "It is the most common filament used for 3D printing. It is studied to be bio-degradable as it comes from corn starch’s sugar mainly. It is completely made of renewable sources and has no footprint on polluting. PLA stands for PolyLactic Acid and it is a thermoplastic that today is still considered the easiest material to be 3D printed. It can be extruded at lower temperatures: the standard range of FABtotum’s one is between 185° and 195°.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=39",
"author": {
"author_id": "FABtotum",
@@ -1436,7 +1436,7 @@
"display_name": "FABtotum TPU Shore 98A",
"description": "",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=66",
"author": {
"author_id": "FABtotum",
@@ -1453,7 +1453,7 @@
"display_name": "Fiberlogy HD PLA",
"description": "With our HD PLA you have many more options. You can use this material in two ways. Choose the one you like best. You can use it as a normal PLA and get prints characterized by a very good adhesion between the layers and high precision. You can also make your prints acquire similar properties to that of ABS – better impact resistance and high temperature resistance. All you need is an oven. Yes, an oven! By annealing our HD PLA in an oven, in accordance with the manual, you will avoid all the inconveniences of printing with ABS, such as unpleasant odour or hazardous fumes.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://fiberlogy.com/en/fiberlogy-filaments/filament-hd-pla/",
"author": {
"author_id": "Fiberlogy",
@@ -1470,7 +1470,7 @@
"display_name": "Filo3D PLA",
"description": "Fast, safe and reliable printing. PLA is ideal for the fast and reliable printing of parts and prototypes with a great surface quality.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://dagoma.fr",
"author": {
"author_id": "Dagoma",
@@ -1487,7 +1487,7 @@
"display_name": "IMADE3D JellyBOX PETG",
"description": "",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://shop.imade3d.com/filament.html",
"author": {
"author_id": "IMADE3D",
@@ -1504,7 +1504,7 @@
"display_name": "IMADE3D JellyBOX PLA",
"description": "",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://shop.imade3d.com/filament.html",
"author": {
"author_id": "IMADE3D",
@@ -1521,7 +1521,7 @@
"display_name": "Octofiber PLA",
"description": "PLA material from Octofiber.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://nl.octofiber.com/3d-printing-filament/pla.html",
"author": {
"author_id": "Octofiber",
@@ -1538,7 +1538,7 @@
"display_name": "PolyFlex™ PLA",
"description": "PolyFlex™ is a highly flexible yet easy to print 3D printing material. Featuring good elasticity and a large strain-to- failure, PolyFlex™ opens up a completely new realm of applications.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://www.polymaker.com/shop/polyflex/",
"author": {
"author_id": "Polymaker",
@@ -1555,7 +1555,7 @@
"display_name": "PolyMax™ PLA",
"description": "PolyMax™ PLA is a 3D printing material with excellent mechanical properties and printing quality. PolyMax™ PLA has an impact resistance of up to nine times that of regular PLA, and better overall mechanical properties than ABS.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://www.polymaker.com/shop/polymax/",
"author": {
"author_id": "Polymaker",
@@ -1572,7 +1572,7 @@
"display_name": "PolyPlus™ PLA True Colour",
"description": "PolyPlus™ PLA is a premium PLA designed for all desktop FDM/FFF 3D printers. It is produced with our patented Jam-Free™ technology that ensures consistent extrusion and prevents jams.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://www.polymaker.com/shop/polyplus-true-colour/",
"author": {
"author_id": "Polymaker",
@@ -1589,7 +1589,7 @@
"display_name": "PolyWood™ PLA",
"description": "PolyWood™ is a wood mimic printing material that contains no actual wood ensuring a clean Jam-Free™ printing experience.",
"package_version": "1.0.1",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "http://www.polymaker.com/shop/polywood/",
"author": {
"author_id": "Polymaker",
@@ -1606,7 +1606,7 @@
"display_name": "Ultimaker ABS",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/abs",
"author": {
"author_id": "UltimakerPackages",
@@ -1625,7 +1625,7 @@
"display_name": "Ultimaker Breakaway",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/breakaway",
"author": {
"author_id": "UltimakerPackages",
@@ -1644,7 +1644,7 @@
"display_name": "Ultimaker CPE",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/abs",
"author": {
"author_id": "UltimakerPackages",
@@ -1663,7 +1663,7 @@
"display_name": "Ultimaker CPE+",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/cpe",
"author": {
"author_id": "UltimakerPackages",
@@ -1682,7 +1682,7 @@
"display_name": "Ultimaker Nylon",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/abs",
"author": {
"author_id": "UltimakerPackages",
@@ -1701,7 +1701,7 @@
"display_name": "Ultimaker PC",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/pc",
"author": {
"author_id": "UltimakerPackages",
@@ -1720,7 +1720,7 @@
"display_name": "Ultimaker PLA",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/abs",
"author": {
"author_id": "UltimakerPackages",
@@ -1739,7 +1739,7 @@
"display_name": "Ultimaker PP",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/pp",
"author": {
"author_id": "UltimakerPackages",
@@ -1758,7 +1758,7 @@
"display_name": "Ultimaker PVA",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/abs",
"author": {
"author_id": "UltimakerPackages",
@@ -1777,7 +1777,7 @@
"display_name": "Ultimaker TPU 95A",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/tpu-95a",
"author": {
"author_id": "UltimakerPackages",
@@ -1796,7 +1796,7 @@
"display_name": "Ultimaker Tough PLA",
"description": "Example package for material and quality profiles for Ultimaker materials.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://ultimaker.com/products/materials/tough-pla",
"author": {
"author_id": "UltimakerPackages",
@@ -1815,7 +1815,7 @@
"display_name": "Vertex Delta ABS",
"description": "ABS material and quality files for the Delta Vertex K8800.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://vertex3dprinter.eu",
"author": {
"author_id": "Velleman",
@@ -1832,7 +1832,7 @@
"display_name": "Vertex Delta PET",
"description": "ABS material and quality files for the Delta Vertex K8800.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://vertex3dprinter.eu",
"author": {
"author_id": "Velleman",
@@ -1849,7 +1849,7 @@
"display_name": "Vertex Delta PLA",
"description": "ABS material and quality files for the Delta Vertex K8800.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://vertex3dprinter.eu",
"author": {
"author_id": "Velleman",
@@ -1866,7 +1866,7 @@
"display_name": "Vertex Delta TPU",
"description": "ABS material and quality files for the Delta Vertex K8800.",
"package_version": "1.4.0",
- "sdk_version": "7.8.0",
+ "sdk_version": "7.9.0",
"website": "https://vertex3dprinter.eu",
"author": {
"author_id": "Velleman",
diff --git a/resources/definitions/anet3d.def.json b/resources/definitions/anet3d.def.json
index db56c9cbb0..54092bcf25 100644
--- a/resources/definitions/anet3d.def.json
+++ b/resources/definitions/anet3d.def.json
@@ -74,7 +74,6 @@
"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'" },
@@ -87,7 +86,6 @@
"infill_wipe_dist": { "value": 0 },
"wall_0_wipe_dist": { "value": 0.2 },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"fill_outline_gaps": { "value": false },
"filter_out_tiny_gaps": { "value": true },
diff --git a/resources/definitions/anycubic_i3_mega_s.def.json b/resources/definitions/anycubic_i3_mega_s.def.json
index 2552c95178..f73c57ce81 100644
--- a/resources/definitions/anycubic_i3_mega_s.def.json
+++ b/resources/definitions/anycubic_i3_mega_s.def.json
@@ -78,7 +78,6 @@
"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 },
@@ -91,21 +90,21 @@
"retraction_hop_enabled": { "value": true },
"retraction_hop": { "value": 0.075 },
- "retraction_hop_only_when_collides": { "value": true },
+ "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_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_speed": { "value": 70 },
+ "cool_fan_speed_0": { "value": 30 },
"cool_fan_enabled": { "value": true },
"cool_min_layer_time": { "value": 10 },
@@ -116,7 +115,6 @@
"skirt_line_count": { "value": 4 },
"meshfix_maximum_deviation": { "value": 0.05 },
-
"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" },
@@ -124,14 +122,15 @@
"support_xy_distance": { "value": "wall_line_width_0 * 2" },
"support_xy_distance_overhang": { "value": "wall_line_width_0" },
"support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height * 2" },
+ "support_top_distance": { "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)"},
"support_xy_overrides_z": { "value": "'xy_overrides_z'" },
"support_wall_count": { "value": 1 },
"support_brim_enable": { "value": true },
"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_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'" },
diff --git a/resources/definitions/artillery_base.def.json b/resources/definitions/artillery_base.def.json
index 586fa1a8b3..76e2cb3fef 100644
--- a/resources/definitions/artillery_base.def.json
+++ b/resources/definitions/artillery_base.def.json
@@ -179,7 +179,6 @@
"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_none'" },
@@ -192,7 +191,6 @@
"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 },
diff --git a/resources/definitions/atmat_signal_pro_base.def.json b/resources/definitions/atmat_signal_pro_base.def.json
index 187ef50646..0d1c5a75c2 100644
--- a/resources/definitions/atmat_signal_pro_base.def.json
+++ b/resources/definitions/atmat_signal_pro_base.def.json
@@ -258,7 +258,6 @@
"layer_height_0": { "resolve": "max(0.2, min(extruderValues('layer_height')))" },
"line_width": { "value": "machine_nozzle_size * 1.125" },
"wall_line_width": { "value": "machine_nozzle_size" },
- "fill_perimeter_gaps": { "default_value": "everywhere" },
"fill_outline_gaps": { "value": "True" },
"meshfix_maximum_resolution": { "value": "0.01" },
"meshfix_maximum_deviation": { "value": "layer_height / 2" },
diff --git a/resources/definitions/atom2.def.json b/resources/definitions/atom2.def.json
index d7a26546d8..9ad42c0f36 100644
--- a/resources/definitions/atom2.def.json
+++ b/resources/definitions/atom2.def.json
@@ -22,8 +22,8 @@
"machine_heated_bed": { "default_value": false },
"machine_center_is_zero": { "default_value": true },
- "machine_start_gcode": { "default_value": "G21\nG90 \nM107\nG28\nG92 E0\nG1 F200 E3\nG92 E0" },
- "machine_end_gcode": { "default_value": "M104 S0\nG28\nG91\nG1 E-6 F300\nM84\nG90" },
+ "machine_start_gcode": { "default_value": "G21\nG90 \nM107\nG28\nG1 Y-110 Z15\nG0 Z{layer_height_0}\nG92 E0\nG1 F200 Y-100 E6\nG92 E0" },
+ "machine_end_gcode": { "default_value": "G28\nG91\nG1 E-6 F300\nM104 S0\nG1 E-1000 F5000\nM84\nG90" },
"layer_height": { "default_value": 0.2 },
"default_material_print_temperature": { "default_value": 210 },
diff --git a/resources/definitions/bfb.def.json b/resources/definitions/bfb.def.json
index e88c8c792b..caee91291a 100644
--- a/resources/definitions/bfb.def.json
+++ b/resources/definitions/bfb.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "BFB",
"file_formats": "text/x-gcode",
"platform_offset": [ 0, 0, 0],
diff --git a/resources/definitions/biqu_base.def.json b/resources/definitions/biqu_base.def.json
index 29aa69ec54..748660742d 100755
--- a/resources/definitions/biqu_base.def.json
+++ b/resources/definitions/biqu_base.def.json
@@ -83,7 +83,6 @@
"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": "'sharpest_corner'" },
"z_seam_corner": { "value": "'z_seam_corner_inner'" },
@@ -97,7 +96,6 @@
"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 },
diff --git a/resources/definitions/blv_mgn_cube_base.def.json b/resources/definitions/blv_mgn_cube_base.def.json
index c97bd97063..2c73b80cfc 100644
--- a/resources/definitions/blv_mgn_cube_base.def.json
+++ b/resources/definitions/blv_mgn_cube_base.def.json
@@ -45,9 +45,6 @@
"machine_gcode_flavor": {
"default_value": "RepRap (RepRap)"
},
- "fill_perimeter_gaps": {
- "value": "'everywhere'"
- },
"fill_outline_gaps": {
"value": true
},
diff --git a/resources/definitions/crazy3dprint_cz_300.def.json b/resources/definitions/crazy3dprint_cz_300.def.json
index b6bf2061e9..494277c3fc 100644
--- a/resources/definitions/crazy3dprint_cz_300.def.json
+++ b/resources/definitions/crazy3dprint_cz_300.def.json
@@ -1,5 +1,5 @@
{
- "version": 2,
+ "version": 2,
"name": "Crazy3DPrint CZ-300",
"inherits": "crazy3dprint_base",
"metadata": {
@@ -52,9 +52,9 @@
"skirt_line_count": { "default_value" : 5 },
"initial_layer_line_width_factor": { "default_value" : 140 },
"top_bottom_pattern": { "default_value" : "concentric" },
- "outer_inset_first": { "default_value": true },
"fill_outline_gaps": { "default_value": true },
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "inset_direction": {"value": "'outside_in'" },
"machine_start_gcode": {
"default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
},
diff --git a/resources/definitions/creality_base.def.json b/resources/definitions/creality_base.def.json
index ccf085bb11..6aebd0db4e 100644
--- a/resources/definitions/creality_base.def.json
+++ b/resources/definitions/creality_base.def.json
@@ -183,7 +183,6 @@
"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'" },
@@ -196,7 +195,6 @@
"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 },
@@ -247,7 +245,8 @@
"support_use_towers": { "value": false },
"support_xy_distance": { "value": "wall_line_width_0 * 2" },
"support_xy_distance_overhang": { "value": "wall_line_width_0" },
- "support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height*2" },
+ "support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height * 2" },
+ "support_top_distance": { "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)"},
"support_xy_overrides_z": { "value": "'xy_overrides_z'" },
"support_wall_count": { "value": 1 },
"support_brim_enable": { "value": true },
diff --git a/resources/definitions/creality_cr100.def.json b/resources/definitions/creality_cr100.def.json
new file mode 100644
index 0000000000..ed528a00b6
--- /dev/null
+++ b/resources/definitions/creality_cr100.def.json
@@ -0,0 +1,25 @@
+{
+ "name": "Creality CR-100",
+ "version": 2,
+ "inherits": "creality_base",
+ "overrides": {
+ "machine_name": { "default_value": "Creality CR-100" },
+ "machine_width": { "default_value": 100 },
+ "machine_depth": { "default_value": 100 },
+ "machine_height": { "default_value": 80 },
+ "machine_head_with_fans_polygon": { "default_value": [
+ [-26, 34],
+ [-26, -32],
+ [32, -32],
+ [32, 34]
+ ]
+ },
+
+ "gantry_height": { "value": 25 }
+
+ },
+ "metadata": {
+ "quality_definition": "creality_base",
+ "visible": true
+ }
+}
\ No newline at end of file
diff --git a/resources/definitions/creality_ender5.def.json b/resources/definitions/creality_ender5.def.json
index 896f532c81..2f913fdd4e 100644
--- a/resources/definitions/creality_ender5.def.json
+++ b/resources/definitions/creality_ender5.def.json
@@ -4,7 +4,7 @@
"inherits": "creality_base",
"overrides": {
"machine_name": { "default_value": "Creality Ender-5" },
- "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 positioning\n\nG1 X0 Y0 ;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_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 positioning\n\nG28 X0 Y0 ;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_width": { "default_value": 220 },
"machine_depth": { "default_value": 220 },
"machine_height": { "default_value": 300 },
diff --git a/resources/definitions/creality_ender6.def.json b/resources/definitions/creality_ender6.def.json
index 7d1c8ff9f4..56ceab88b2 100644
--- a/resources/definitions/creality_ender6.def.json
+++ b/resources/definitions/creality_ender6.def.json
@@ -5,7 +5,7 @@
"overrides": {
"machine_name": { "default_value": "Creality Ender-6" },
"machine_start_gcode": { "default_value": "\nG28 ;Home\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 positionning\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\nG28 X Y ;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_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 positioning\n\nG28 X Y ;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_width": { "default_value": 260 },
"machine_depth": { "default_value": 260 },
"machine_height": { "default_value": 400 },
diff --git a/resources/definitions/creality_sermoond1.def.json b/resources/definitions/creality_sermoond1.def.json
new file mode 100644
index 0000000000..c09019c6f4
--- /dev/null
+++ b/resources/definitions/creality_sermoond1.def.json
@@ -0,0 +1,25 @@
+{
+ "name": "Creality Sermoon D1",
+ "version": 2,
+ "inherits": "creality_base",
+ "overrides": {
+ "machine_name": { "default_value": "Creality Sermoon D1" },
+ "machine_width": { "default_value": 280 },
+ "machine_depth": { "default_value": 260 },
+ "machine_height": { "default_value": 310 },
+ "machine_head_with_fans_polygon": { "default_value": [
+ [-26, 34],
+ [-26, -32],
+ [32, -32],
+ [32, 34]
+ ]
+ },
+
+ "gantry_height": { "value": 25 }
+
+ },
+ "metadata": {
+ "quality_definition": "creality_base",
+ "visible": true
+ }
+}
diff --git a/resources/definitions/cubicon_common.def.json b/resources/definitions/cubicon_common.def.json
index 61e684a283..f700df7ae6 100644
--- a/resources/definitions/cubicon_common.def.json
+++ b/resources/definitions/cubicon_common.def.json
@@ -20,9 +20,6 @@
"machine_heated_bed": {
"default_value": true
},
- "travel_compensate_overlapping_walls_enabled": {
- "default_value": false
- },
"layer_height": {
"default_value": 0.2
},
@@ -33,7 +30,6 @@
"default_value": "raft"
},
"top_bottom_pattern": { "default_value": "lines" },
- "fill_perimeter_gaps": { "default_value": "everywhere" },
"infill_sparse_density": { "default_value": 20 },
"infill_before_walls": { "default_value": false },
"top_bottom_thickness": {
diff --git a/resources/definitions/eazao_zero.def.json b/resources/definitions/eazao_zero.def.json
new file mode 100644
index 0000000000..63286a1333
--- /dev/null
+++ b/resources/definitions/eazao_zero.def.json
@@ -0,0 +1,126 @@
+{
+ "version": 2,
+ "name": "Eazao Zero",
+ "inherits": "fdmprinter",
+ "metadata":
+ {
+ "visible": true,
+ "author": "Eazao",
+ "manufacturer": "Eazao",
+ "file_formats": "text/x-gcode",
+ "has_materials": true,
+ "has_machine_quality": false,
+ "preferred_quality_type": "normal",
+ "preferred_material": "generic_pla",
+
+ "machine_extruder_trains":
+ {
+ "0": "eazao_zero_extruder_0"
+ }
+ },
+ "overrides":
+ {
+ "machine_name":
+ {
+ "default_value": "EAZAO Zero"
+ },
+ "machine_heated_bed":
+ {
+ "default_value": false
+ },
+ "machine_width":
+ {
+ "default_value": 150
+ },
+ "machine_depth":
+ {
+ "default_value": 150
+ },
+ "machine_height":
+ {
+ "default_value": 240
+ },
+ "machine_center_is_zero":
+ {
+ "default_value": false
+ },
+ "machine_gcode_flavor":
+ {
+ "default_value": "Marlin (Marlin/Sprinter)"
+ },
+ "machine_start_gcode":
+ {
+ "default_value": "G21 \nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nG28 ;Home \nG1 Z15.0 F1500 ;move the platform down 15mm\nG92 E0 \nG1 F300 E10\nG92 E0\nM302\nM163 S0 P0.9; Set Mix Factor\nM163 S1 P0.1; Set Mix Factor\nM164 S0\n"
+ },
+ "machine_end_gcode":
+ {
+ "default_value": "G92 E10\nG1 E-10 F300\nG28 X0 Y0 ;move X Y to min endstops\nM82\nM84 ;steppers off\n"
+ },
+ "machine_max_feedrate_x": { "value": 100 },
+ "machine_max_feedrate_y": { "value": 100 },
+ "machine_max_feedrate_z": { "value": 5 },
+ "machine_max_feedrate_e": { "value": 25 },
+
+ "machine_max_acceleration_x": { "value": 500 },
+ "machine_max_acceleration_y": { "value": 500 },
+ "machine_max_acceleration_z": { "value": 50 },
+ "machine_max_acceleration_e": { "value": 500 },
+ "machine_acceleration": { "value": 300 },
+ "acceleration_print": { "value": 300 },
+ "acceleration_travel": { "value": 300 },
+ "acceleration_enabled": { "value": false },
+
+ "machine_max_jerk_xy": { "value": 10 },
+ "machine_max_jerk_z": { "value": 0.3 },
+ "machine_max_jerk_e": { "value": 5 },
+ "jerk_print": { "value": 10 },
+ "jerk_travel": { "value": "jerk_print" },
+ "jerk_travel_layer_0": { "value": "jerk_travel" },
+ "jerk_enabled": { "value": false },
+
+ "layer_height": {"value":1.0},
+ "layer_height_0": {"value":1.0},
+ "line_width": {"value":3.0},
+
+ "wall_thickness": {"value":3.0},
+ "optimize_wall_printing_order": { "value": "True" },
+
+ "top_bottom_thickness": {"value":0},
+ "bottom_layers":{"value":2},
+ "initial_bottom_layers":{"value":2},
+
+ "infill_sparse_density": {"value":0},
+
+ "material_print_temperature": { "value": "0" },
+ "material_print_temperature_layer_0": { "value": "0" },
+ "material_initial_print_temperature": { "value": "0" },
+ "material_final_print_temperature": { "value": "0" },
+
+ "speed_print": { "value": 20.0 },
+ "speed_wall": { "value": 20.0 },
+ "speed_wall_0": { "value": 20.0 },
+ "speed_wall_x": { "value": 20.0 },
+ "speed_travel": { "value": 20.0 },
+ "speed_z_hop": { "value": "machine_max_feedrate_z" },
+
+ "retraction_hop_enabled": { "value": false },
+ "retraction_hop": { "value": 0.2 },
+ "retraction_combing": { "value": "'noskin'" },
+ "retraction_combing_max_distance": { "value": 0 },
+
+ "travel_avoid_other_parts": { "value": true },
+ "travel_avoid_supports": { "value": false },
+ "travel_retract_before_outer_wall": { "value": false },
+
+ "retraction_enable": { "value": false },
+ "retraction_speed": { "value": 25 },
+ "retraction_amount": { "value": 7 },
+ "retraction_count_max": { "value": 100 },
+ "retraction_extrusion_window": { "value": 10 },
+
+ "cool_fan_enabled": { "value": false },
+
+ "adhesion_type": { "default_value": "none" }
+
+ }
+}
diff --git a/resources/definitions/eryone_thinker.def.json b/resources/definitions/eryone_thinker.def.json
index 6fc4d83f0b..33c96f45ca 100644
--- a/resources/definitions/eryone_thinker.def.json
+++ b/resources/definitions/eryone_thinker.def.json
@@ -83,9 +83,6 @@
"optimize_wall_printing_order": {
"default_value": true
},
- "outer_inset_first": {
- "default_value": false
- },
"z_seam_type": {
"value": "'shortest'"
},
@@ -122,6 +119,9 @@
"infill_before_walls": {
"value": false
},
+ "inset_direction": {
+ "default_value": "inside_out"
+ },
"material_print_temperature": {
"value": "default_material_print_temperature",
"maximum_value_warning": 250
diff --git a/resources/definitions/erzay3d.def.json b/resources/definitions/erzay3d.def.json
index 2904b9ecfa..dc1ad9a509 100644
--- a/resources/definitions/erzay3d.def.json
+++ b/resources/definitions/erzay3d.def.json
@@ -62,8 +62,6 @@
"retraction_amount": { "default_value": 6.5 },
"speed_print": { "default_value": 40 },
- "speed_equalize_flow_enabled": { "default_value": true },
- "speed_equalize_flow_max": { "default_value": 100 },
"acceleration_print": { "default_value": 1000 },
diff --git a/resources/definitions/fdmprinter.def.json b/resources/definitions/fdmprinter.def.json
index 064f589e26..3ef51c5a46 100644
--- a/resources/definitions/fdmprinter.def.json
+++ b/resources/definitions/fdmprinter.def.json
@@ -4,7 +4,7 @@
"metadata":
{
"type": "machine",
- "author": "Ultimaker",
+ "author": "Unknown",
"manufacturer": "Unknown",
"setting_version": 19,
"file_formats": "text/x-gcode;model/stl;application/x-wavefront-obj;application/x3g",
@@ -159,6 +159,16 @@
"settable_per_extruder": false,
"settable_per_meshgroup": false
},
+ "machine_height":
+ {
+ "label": "Machine Height",
+ "description": "The height (Z-direction) of the printable area.",
+ "default_value": 100,
+ "type": "float",
+ "settable_per_mesh": false,
+ "settable_per_extruder": false,
+ "settable_per_meshgroup": false
+ },
"machine_shape":
{
"label": "Build Plate Shape",
@@ -189,16 +199,6 @@
"settable_per_extruder": false,
"settable_per_meshgroup": false
},
- "machine_height":
- {
- "label": "Machine Height",
- "description": "The height (Z-direction) of the printable area.",
- "default_value": 100,
- "type": "float",
- "settable_per_mesh": false,
- "settable_per_extruder": false,
- "settable_per_meshgroup": false
- },
"machine_heated_bed":
{
"label": "Has Heated Build Plate",
@@ -448,7 +448,7 @@
"machine_head_with_fans_polygon":
{
"label": "Machine Head & Fan Polygon",
- "description": "A 2D silhouette of the print head (fan caps included).",
+ "description": "The shape of the print head. These are coordinates relative to the position of the print head, which is usually the position of its first extruder. The dimensions left and in front of the print head must be negative coordinates.",
"type": "polygon",
"default_value":
[
@@ -571,7 +571,7 @@
},
"machine_max_feedrate_e":
{
- "label": "Maximum Feedrate",
+ "label": "Maximum Speed E",
"description": "The maximum speed of the filament.",
"unit": "mm/s",
"type": "float",
@@ -831,7 +831,7 @@
"description": "Width of the outermost wall line. By lowering this value, higher levels of detail can be printed.",
"unit": "mm",
"minimum_value": "0.001",
- "minimum_value_warning": "(0.1 + 0.4 * machine_nozzle_size) if outer_inset_first else 0.1 * machine_nozzle_size",
+ "minimum_value_warning": "(0.1 + 0.4 * machine_nozzle_size) if inset_direction == \"outside_in\" else 0.1 * machine_nozzle_size",
"maximum_value_warning": "2 * machine_nozzle_size",
"default_value": 0.4,
"value": "wall_line_width",
@@ -1056,6 +1056,7 @@
"minimum_value": "0",
"minimum_value_warning": "line_width",
"maximum_value_warning": "10 * line_width",
+ "maximum_value": "999999 * line_width",
"type": "float",
"limit_to_extruder": "wall_x_extruder_nr",
"settable_per_mesh": true,
@@ -1069,6 +1070,7 @@
"minimum_value": "0",
"minimum_value_warning": "1",
"maximum_value_warning": "10",
+ "maximum_value": "999999",
"type": "int",
"value": "1 if magic_spiralize else max(1, round((wall_thickness - wall_line_width_0) / wall_line_width_x) + 1) if wall_thickness != 0 else 0",
"limit_to_extruder": "wall_x_extruder_nr",
@@ -1076,6 +1078,98 @@
}
}
},
+ "beading_strategy_type":
+ {
+ "label": "Variable Line Strategy",
+ "description": "Strategy to use to print the width of a part with a number of walls. This determines how many walls it will use for a certain total width, and how wide each of these lines are. \"Center Deviation\" will print all walls at the nominal line width except the central one(s), causing big variations in the center but very consistent outsides. \"Distributed\" distributes the width equally over all walls. \"Inward Distributed\" is a balance between the other two, distributing the changes in width over all walls but keeping the walls on the outside slightly more consistent.",
+ "type": "enum",
+ "options":
+ {
+ "center_deviation": "Center Deviation",
+ "distributed": "Distributed",
+ "inward_distributed": "Inward Distributed"
+ },
+ "default_value": "inward_distributed",
+ "limit_to_extruder": "wall_0_extruder_nr"
+ },
+ "wall_transition_threshold": {
+ "label": "Middle Line Threshold",
+ "description": "The smallest line width, as a factor of the normal line width, below which it will choose to use fewer, but wider lines to fill the available space the wall needs to occupy. Reduce this setting to use more, thinner lines. Increase to use fewer, wider lines. Note that this applies -as if- the entire shape should be filled with wall, so the middle here refers to the middle of the object between two outer edges of the shape, even if there actually is fill or (other) skin in the print instead of wall.",
+ "type": "float",
+ "unit": "%",
+ "default_value": 90,
+ "minimum_value": "1",
+ "maximum_value": "99",
+ "children":
+ {
+ "wall_split_middle_threshold": {
+ "label": "Split Middle Line Threshold",
+ "description": "The smallest line width, as a factor of the normal line width, above which the middle line (if there is one) will be split into two. Reduce this setting to use more, thinner lines. Increase to use fewer, wider lines. Note that this applies -as if- the entire shape should be filled with wall, so the middle here refers to the middle of the object between two outer edges of the shape, even if there actually is fill or (other) skin in the print instead of wall.",
+ "type": "float",
+ "unit": "%",
+ "default_value": 50,
+ "value": "wall_transition_threshold",
+ "minimum_value": "1",
+ "maximum_value": "99"
+ },
+ "wall_add_middle_threshold": {
+ "label": "Add Middle Line Threshold",
+ "description": "The smallest line width, as a factor of the normal line width, above which a middle line (if there wasn't one already) will be added. Reduce this setting to use more, thinner lines. Increase to use fewer, wider lines. Note that this applies -as if- the entire shape should be filled with wall, so the middle here refers to the middle of the object between two outer edges of the shape, even if there actually is fill or (other) skin in the print instead of wall.",
+ "type": "float",
+ "unit": "%",
+ "default_value": 50,
+ "value": "wall_transition_threshold * 8 / 9",
+ "minimum_value": "1",
+ "maximum_value": "99"
+ }
+ }
+ },
+ "wall_transition_length":
+ {
+ "label": "Wall Transition Length",
+ "description": "When transitioning between different numbers of walls as the part becomes thinner, a certain amount of space is allotted to split or join the wall lines.",
+ "type": "float",
+ "unit": "mm",
+ "default_value": 0.4,
+ "value": "line_width",
+ "minimum_value": "0.001",
+ "minimum_value_warning": "0.5 * line_width",
+ "maximum_value_warning": "2 * line_width",
+ "maximum_value": "min_bead_width * 3 * math.pi"
+ },
+ "wall_distribution_count":
+ {
+ "label": "Wall Distribution Count",
+ "description": "The number of walls, counted from the center, over which the variation needs to be spread. Lower values mean that the outer walls don't change in width.",
+ "type": "int",
+ "default_value": 1,
+ "minimum_value": "1",
+ "enabled": "beading_strategy_type == 'inward_distributed'"
+ },
+ "wall_transition_angle":
+ {
+ "label": "Wall Transition Angle",
+ "description": "When transitioning between different numbers of walls as the part becomes thinner, two adjacent walls will join together at this angle. This can make the walls come together faster than what the Wall Transition Length indicates, filling the space better.",
+ "type": "float",
+ "unit": "°",
+ "default_value": 10,
+ "minimum_value": "1",
+ "minimum_value_warning": "5",
+ "maximum_value_warning": "50",
+ "maximum_value": "59"
+ },
+ "wall_transition_filter_distance":
+ {
+ "label": "Wall Transition Distance Filter",
+ "description": "If it would be transitioning back and forth between different numbers of walls in quick succession, don't transition at all. Remove transitions if they are closer together than this distance.",
+ "type": "float",
+ "unit": "mm",
+ "default_value": 1.4,
+ "value": "4 * math.cos(wall_transition_angle / 180 * math.pi) * wall_line_width_x",
+ "minimum_value": "wall_transition_length",
+ "minimum_value_warning": "math.cos(wall_transition_angle / 180 * math.pi) * wall_line_width_x",
+ "maximum_value_warning": "10 * math.cos(wall_transition_angle / 180 * math.pi) * wall_line_width_x"
+ },
"wall_0_wipe_dist":
{
"label": "Outer Wall Wipe Distance",
@@ -1096,7 +1190,7 @@
"unit": "mm",
"type": "float",
"default_value": 0.0,
- "value": "(machine_nozzle_size - wall_line_width_0) / 2 if (wall_line_width_0 < machine_nozzle_size and not outer_inset_first) else 0",
+ "value": "(machine_nozzle_size - wall_line_width_0) / 2 if (wall_line_width_0 < machine_nozzle_size and inset_direction != \"outside_in\") else 0",
"minimum_value_warning": "0",
"maximum_value_warning": "machine_nozzle_size",
"limit_to_extruder": "wall_0_extruder_nr",
@@ -1104,19 +1198,23 @@
},
"optimize_wall_printing_order":
{
- "label": "Optimize Wall Printing Order",
- "description": "Optimize the order in which walls are printed so as to reduce the number of retractions and the distance travelled. Most parts will benefit from this being enabled but some may actually take longer so please compare the print time estimates with and without optimization. First layer is not optimized when choosing brim as build plate adhesion type.",
+ "label": "Order Inner Walls By Inset",
+ "description": "Order inner wall printing by inset-index, instead of by (hole) region.",
"type": "bool",
"default_value": false,
"settable_per_mesh": true
},
- "outer_inset_first":
+ "inset_direction":
{
- "label": "Outer Before Inner Walls",
- "description": "Prints walls in order of outside to inside when enabled. This can help improve dimensional accuracy in X and Y when using a high viscosity plastic like ABS; however it can decrease outer surface print quality, especially on overhangs.",
- "type": "bool",
- "default_value": false,
- "enabled": "wall_0_extruder_nr == wall_x_extruder_nr",
+ "label": "Wall Ordering",
+ "description": "Determines the order in which walls are printed. Printing outer walls earlier helps with dimensional accuracy, as faults from inner walls cannot propagate to the outside. However printing them later allows them to stack better when overhangs are printed.",
+ "type": "enum",
+ "options": {
+ "inside_out": "Inside To Outside",
+ "outside_in": "Outside To Inside",
+ "center_last": "Center Last"
+ },
+ "default_value": "center_last",
"settable_per_mesh": true
},
"alternate_extra_perimeter":
@@ -1128,72 +1226,6 @@
"limit_to_extruder": "infill_extruder_nr",
"settable_per_mesh": true
},
- "travel_compensate_overlapping_walls_enabled":
- {
- "label": "Compensate Wall Overlaps",
- "description": "Compensate the flow for parts of a wall being printed where there is already a wall in place.",
- "type": "bool",
- "default_value": true,
- "limit_to_extruder": "wall_x_extruder_nr",
- "settable_per_mesh": true,
- "children":
- {
- "travel_compensate_overlapping_walls_0_enabled":
- {
- "label": "Compensate Outer Wall Overlaps",
- "description": "Compensate the flow for parts of an outer wall being printed where there is already a wall in place.",
- "type": "bool",
- "default_value": true,
- "value": "travel_compensate_overlapping_walls_enabled",
- "limit_to_extruder": "wall_0_extruder_nr",
- "settable_per_mesh": true
- },
- "travel_compensate_overlapping_walls_x_enabled":
- {
- "label": "Compensate Inner Wall Overlaps",
- "description": "Compensate the flow for parts of an inner wall being printed where there is already a wall in place.",
- "type": "bool",
- "default_value": true,
- "value": "travel_compensate_overlapping_walls_enabled",
- "limit_to_extruder": "wall_x_extruder_nr",
- "settable_per_mesh": true
- }
- }
- },
- "wall_min_flow":
- {
- "label": "Minimum Wall Flow",
- "description": "Minimum allowed percentage flow for a wall line. The wall overlap compensation reduces a wall's flow when it lies close to an existing wall. Walls whose flow is less than this value will be replaced with a travel move. When using this setting, you must enable the wall overlap compensation and print the outer wall before inner walls.",
- "unit": "%",
- "minimum_value": "0",
- "maximum_value": "100",
- "default_value": 0,
- "type": "float",
- "enabled": "travel_compensate_overlapping_walls_0_enabled or travel_compensate_overlapping_walls_x_enabled",
- "settable_per_mesh": true
- },
- "wall_min_flow_retract":
- {
- "label": "Prefer Retract",
- "description": "If enabled, retraction is used rather than combing for travel moves that replace walls whose flow is below the minimum flow threshold.",
- "type": "bool",
- "default_value": false,
- "enabled": "(travel_compensate_overlapping_walls_0_enabled or travel_compensate_overlapping_walls_x_enabled) and wall_min_flow > 0",
- "settable_per_mesh": true
- },
- "fill_perimeter_gaps":
- {
- "label": "Fill Gaps Between Walls",
- "description": "Fills the gaps between walls where no walls fit.",
- "type": "enum",
- "options": {
- "nowhere": "Nowhere",
- "everywhere": "Everywhere"
- },
- "default_value": "everywhere",
- "limit_to_extruder": "wall_0_extruder_nr",
- "settable_per_mesh": true
- },
"filter_out_tiny_gaps":
{
"label": "Filter Out Tiny Gaps",
@@ -1207,10 +1239,36 @@
"label": "Print Thin Walls",
"description": "Print pieces of the model which are horizontally thinner than the nozzle size.",
"type": "bool",
- "default_value": false,
+ "default_value": true,
"limit_to_extruder": "wall_0_extruder_nr",
"settable_per_mesh": true
},
+ "min_feature_size":
+ {
+ "label": "Minimum Feature Size",
+ "description": "Minimum thickness of thin features. Model features that are thinner than this value will not be printed, while features thicker than the Minimum Feature Size will be widened to the Minimum Wall Line Width.",
+ "unit": "mm",
+ "value": "wall_line_width_0 / 4",
+ "minimum_value": "0",
+ "maximum_value": "wall_line_width_0",
+ "type": "float",
+ "limit_to_extruder": "wall_0_extruder_nr",
+ "enabled": "fill_outline_gaps"
+ },
+ "min_bead_width":
+ {
+ "label": "Minimum Wall Line Width",
+ "description": "Width of the wall that will replace thin features (according to the Minimum Feature Size) of the model. If the Minimum Wall Line Width is thinner than the thickness of the feature, the wall will become as thick as the feature itself.",
+ "unit": "mm",
+ "value": "wall_line_width_0 * (100.0 + wall_split_middle_threshold)/200",
+ "default_value": "0.2",
+ "minimum_value": "0.001",
+ "minimum_value_warning": "min_feature_size",
+ "maximum_value_warning": "wall_line_width_0",
+ "type": "float",
+ "limit_to_extruder": "wall_0_extruder_nr",
+ "enabled": "fill_outline_gaps"
+ },
"xy_offset":
{
"label": "Horizontal Expansion",
@@ -1557,6 +1615,7 @@
"default_value": 1,
"minimum_value": "0",
"maximum_value_warning": "10",
+ "maximum_value": "999999",
"type": "int",
"enabled": "(top_layers > 0 or bottom_layers > 0) and (top_bottom_pattern != 'concentric' or top_bottom_pattern_0 != 'concentric' or (roofing_layer_count > 0 and roofing_pattern != 'concentric'))",
"limit_to_extruder": "top_bottom_extruder_nr",
@@ -1890,7 +1949,7 @@
"infill_pattern":
{
"label": "Infill Pattern",
- "description": "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model.",
+ "description": "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object.",
"type": "enum",
"options":
{
@@ -1943,7 +2002,7 @@
"description": "A list of integer line directions to use. Elements from the list are used sequentially as the layers progress and when the end of the list is reached, it starts at the beginning again. The list items are separated by commas and the whole list is contained in square brackets. Default is an empty list which means use the traditional default angles (45 and 135 degrees for the lines and zig zag patterns and 45 degrees for all other patterns).",
"type": "[int]",
"default_value": "[ ]",
- "enabled": "infill_pattern != 'lightning' and infill_pattern != 'concentric' and infill_sparse_density > 0",
+ "enabled": "infill_pattern not in ('concentric', 'cross', 'cross_3d', 'gyroid', 'lightning') and infill_sparse_density > 0",
"limit_to_extruder": "infill_extruder_nr",
"settable_per_mesh": true
},
@@ -1999,6 +2058,7 @@
"default_value": 0,
"type": "int",
"minimum_value": "0",
+ "maximum_value": "999999",
"enabled": "infill_sparse_density > 0",
"limit_to_extruder": "infill_extruder_nr",
"settable_per_mesh": true
@@ -2083,9 +2143,9 @@
"default_value": 0,
"type": "int",
"minimum_value": "0",
- "maximum_value_warning": "1 if (infill_pattern == 'cross' or infill_pattern == 'cross_3d' or support_pattern == 'concentric') else 5",
+ "maximum_value_warning": "1 if (infill_pattern == 'cross' or infill_pattern == 'cross_3d' or infill_pattern == 'concentric') else 5",
"maximum_value": "999999 if infill_line_distance == 0 else (20 - math.log(infill_line_distance) / math.log(2))",
- "enabled": "infill_pattern != 'lightning' and infill_sparse_density > 0 and infill_pattern != 'cubicsubdiv'",
+ "enabled": "infill_sparse_density > 0 and infill_pattern not in ['cubicsubdiv', 'cross', 'cross_3d', 'lightning']",
"limit_to_extruder": "infill_extruder_nr",
"settable_per_mesh": true
},
@@ -2098,7 +2158,7 @@
"default_value": 1.5,
"minimum_value": "0.0001",
"minimum_value_warning": "3 * resolveOrValue('layer_height')",
- "enabled": "infill_pattern != 'lightning' and infill_sparse_density > 0 and gradual_infill_steps > 0 and infill_pattern != 'cubicsubdiv'",
+ "enabled": "infill_sparse_density > 0 and gradual_infill_steps > 0 and infill_pattern not in ['cubicsubdiv', 'cross', 'cross_3d', 'lightning']",
"limit_to_extruder": "infill_extruder_nr",
"settable_per_mesh": true
},
@@ -2212,7 +2272,7 @@
"lightning_infill_prune_angle":
{
"label": "Lightning Infill Prune Angle",
- "description": "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness.",
+ "description": "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines.",
"unit": "°",
"type": "float",
"minimum_value": "0",
@@ -2228,7 +2288,7 @@
"lightning_infill_straightening_angle":
{
"label": "Lightning Infill Straightening Angle",
- "description": "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness.",
+ "description": "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line.",
"unit": "°",
"type": "float",
"minimum_value": "0",
@@ -2452,7 +2512,42 @@
"maximum_value_warning": "120",
"settable_per_mesh": false,
"settable_per_extruder": false,
- "resolve": "sum(extruderValues(\"material_shrinkage_percentage\")) / len(extruderValues(\"material_shrinkage_percentage\"))"
+ "resolve": "sum(extruderValues(\"material_shrinkage_percentage\")) / len(extruderValues(\"material_shrinkage_percentage\"))",
+ "children":
+ {
+ "material_shrinkage_percentage_xy":
+ {
+ "label": "Horizontal Scaling Factor Shrinkage Compensation",
+ "description": "To compensate for the shrinkage of the material as it cools down, the model will be scaled with this factor in the XY-direction (horizontally).",
+ "unit": "%",
+ "type": "float",
+ "default_value": 100.0,
+ "enabled": false,
+ "minimum_value": "0.001",
+ "minimum_value_warning": "100",
+ "maximum_value_warning": "120",
+ "settable_per_mesh": false,
+ "settable_per_extruder": false,
+ "resolve": "sum(extruderValues(\"material_shrinkage_percentage_xy\")) / len(extruderValues(\"material_shrinkage_percentage_xy\"))",
+ "value": "material_shrinkage_percentage"
+ },
+ "material_shrinkage_percentage_z":
+ {
+ "label": "Vertical Scaling Factor Shrinkage Compensation",
+ "description": "To compensate for the shrinkage of the material as it cools down, the model will be scaled with this factor in the Z-direction (vertically).",
+ "unit": "%",
+ "type": "float",
+ "default_value": 100.0,
+ "enabled": false,
+ "minimum_value": "0.001",
+ "minimum_value_warning": "100",
+ "maximum_value_warning": "120",
+ "settable_per_mesh": false,
+ "settable_per_extruder": false,
+ "resolve": "sum(extruderValues(\"material_shrinkage_percentage_z\")) / len(extruderValues(\"material_shrinkage_percentage_z\"))",
+ "value": "material_shrinkage_percentage"
+ }
+ }
},
"material_crystallinity":
{
@@ -3163,26 +3258,15 @@
"settable_per_mesh": false,
"settable_per_extruder": false
},
- "speed_equalize_flow_enabled":
+ "speed_equalize_flow_width_factor":
{
- "label": "Equalize Filament Flow",
- "description": "Print thinner than normal lines faster so that the amount of material extruded per second remains the same. Thin pieces in your model might require lines printed with smaller line width than provided in the settings. This setting controls the speed changes for such lines.",
- "type": "bool",
- "default_value": false,
- "settable_per_mesh": false,
- "settable_per_extruder": true
- },
- "speed_equalize_flow_max":
- {
- "label": "Maximum Speed for Flow Equalization",
- "description": "Maximum print speed when adjusting the print speed in order to equalize flow.",
+ "label": "Flow Equalization Ratio",
+ "description": "Extrusion width based correction factor on the speed. At 0% the movement speed is kept constant at the Print Speed. At 100% the movement speed is adjusted so that the flow (in mm³/s) is kept constant, i.e. lines half the normal Line Width are printed twice as fast and lines twice as wide are printed half as fast. A value larger than 100% can help to compensate for the higher pressure required to extrude wide lines.",
"type": "float",
- "unit": "mm/s",
- "enabled": "speed_equalize_flow_enabled",
- "default_value": 150,
- "minimum_value": "0.1",
- "maximum_value": "math.sqrt(machine_max_feedrate_x ** 2 + machine_max_feedrate_y ** 2)",
- "maximum_value_warning": "150",
+ "unit": "%",
+ "default_value": 100.0,
+ "minimum_value": "0.0",
+ "maximum_value_warning": "200.0",
"settable_per_mesh": false,
"settable_per_extruder": true
},
@@ -4446,6 +4530,7 @@
"minimum_value": "0",
"minimum_value_warning": "1 if support_pattern == 'concentric' else 0",
"maximum_value_warning": "0 if (support_skip_some_zags and support_pattern == 'zigzag') else 3",
+ "maximum_value": "999999",
"type": "int",
"value": "1 if support_enable and support_structure == 'tree' else (1 if (support_pattern == 'grid' or support_pattern == 'triangles' or support_pattern == 'concentric') else 0)",
"enabled": "support_enable or support_meshes_present",
@@ -4556,6 +4641,7 @@
"default_value": 8.0,
"minimum_value": "0.0",
"maximum_value_warning": "50.0",
+ "maximum_value": "0.5 * min(machine_width, machine_depth)",
"enabled": "(support_enable or support_meshes_present) and support_brim_enable",
"settable_per_mesh": false,
"settable_per_extruder": true,
@@ -4570,6 +4656,7 @@
"default_value": 20,
"minimum_value": "0",
"maximum_value_warning": "50 / skirt_brim_line_width",
+ "maximum_value": "0.5 * min(machine_width, machine_depth) / skirt_brim_line_width",
"value": "math.ceil(support_brim_width / (skirt_brim_line_width * initial_layer_line_width_factor / 100.0))",
"enabled": "(support_enable or support_meshes_present) and support_brim_enable",
"settable_per_mesh": false,
@@ -4602,7 +4689,7 @@
"default_value": 0.1,
"type": "float",
"enabled": "support_enable or support_meshes_present",
- "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance')",
+ "value": "extruderValue(support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr, 'support_z_distance') + (layer_height if support_structure == 'tree' else 0)",
"limit_to_extruder": "support_roof_extruder_nr if support_roof_enable else support_infill_extruder_nr",
"settable_per_mesh": true
},
@@ -5333,6 +5420,7 @@
"default_value": 1,
"minimum_value": "0",
"maximum_value_warning": "10",
+ "maximum_value": "0.5 * min(machine_width, machine_depth) / skirt_brim_line_width",
"enabled": "resolveOrValue('adhesion_type') == 'skirt'",
"settable_per_mesh": false,
"settable_per_extruder": true,
@@ -5458,7 +5546,7 @@
"default_value": 5,
"minimum_value": "0",
"minimum_value_warning": "raft_interface_line_width",
- "enabled": "resolveOrValue('adhesion_type') == 'raft'",
+ "enabled": "resolveOrValue('adhesion_type') == 'raft' and not raft_remove_inside_corners",
"limit_to_extruder": "adhesion_extruder_nr",
"settable_per_mesh": false,
"settable_per_extruder": true
@@ -6244,6 +6332,18 @@
"minimum_value_warning": "0.01",
"maximum_value_warning": "0.3",
"settable_per_mesh": true
+ },
+ "meshfix_maximum_extrusion_area_deviation":
+ {
+ "label": "Maximum Extrusion Area Deviation",
+ "description": "The maximum extrusion area deviation allowed when removing intermediate points from a straight line. An intermediate point may serve as width-changing point in a long straight line. Therefore, if it is removed, it will cause the line to have a uniform width and, as a result, lose (or gain) a bit of extrusion area. If you increase this you may notice slight under- (or over-) extrusion in between straight parallel walls, as more intermediate width-changing points will be allowed to be removed. Your print will be less accurate, but the g-code will be smaller.",
+ "type": "float",
+ "unit": "μm²",
+ "default_value": 2000,
+ "minimum_value": "0",
+ "minimum_value_warning": "500",
+ "maximum_value_warning": "50000",
+ "settable_per_mesh": true
}
}
},
@@ -6793,6 +6893,7 @@
"type": "bool",
"default_value": false,
"limit_to_extruder": "wall_0_extruder_nr",
+ "enabled": false,
"settable_per_mesh": true
},
"magic_fuzzy_skin_outside_only":
@@ -6801,7 +6902,7 @@
"description": "Jitter only the parts' outlines and not the parts' holes.",
"type": "bool",
"default_value": false,
- "enabled": "magic_fuzzy_skin_enabled",
+ "enabled": "magic_fuzzy_skin_enabled and False" ,
"limit_to_extruder": "wall_0_extruder_nr",
"settable_per_mesh": true
},
@@ -6814,7 +6915,7 @@
"default_value": 0.3,
"minimum_value": "0.001",
"maximum_value_warning": "wall_line_width_0",
- "enabled": "magic_fuzzy_skin_enabled",
+ "enabled": "magic_fuzzy_skin_enabled and False",
"limit_to_extruder": "wall_0_extruder_nr",
"settable_per_mesh": true
},
@@ -6829,7 +6930,7 @@
"minimum_value_warning": "0.1",
"maximum_value_warning": "10",
"maximum_value": "2 / magic_fuzzy_skin_thickness",
- "enabled": "magic_fuzzy_skin_enabled",
+ "enabled": "magic_fuzzy_skin_enabled and False",
"limit_to_extruder": "wall_0_extruder_nr",
"settable_per_mesh": true,
"children":
@@ -6845,7 +6946,7 @@
"minimum_value_warning": "0.1",
"maximum_value_warning": "10",
"value": "10000 if magic_fuzzy_skin_point_density == 0 else 1 / magic_fuzzy_skin_point_density",
- "enabled": "magic_fuzzy_skin_enabled",
+ "enabled": "magic_fuzzy_skin_enabled and False",
"limit_to_extruder": "wall_0_extruder_nr",
"settable_per_mesh": true
}
@@ -7424,6 +7525,7 @@
"minimum_value": "5",
"maximum_value": "100",
"minimum_value_warning": "20",
+ "maximum_value_warning": "100",
"enabled": "bridge_settings_enabled",
"settable_per_mesh": true
},
@@ -7469,8 +7571,7 @@
"unit": "%",
"default_value": 100,
"type": "float",
- "minimum_value": "5",
- "maximum_value": "500",
+ "minimum_value": "0.0001",
"minimum_value_warning": "50",
"maximum_value_warning": "150",
"enabled": "bridge_settings_enabled and bridge_enable_more_layers",
@@ -7483,9 +7584,9 @@
"unit": "%",
"default_value": 75,
"type": "float",
- "minimum_value": "5",
- "maximum_value": "100",
+ "minimum_value": "0",
"minimum_value_warning": "20",
+ "maximum_value_warning": "100",
"enabled": "bridge_settings_enabled and bridge_enable_more_layers",
"settable_per_mesh": true
},
@@ -7522,8 +7623,7 @@
"unit": "%",
"default_value": 110,
"type": "float",
- "minimum_value": "5",
- "maximum_value": "500",
+ "minimum_value": "0.001",
"minimum_value_warning": "50",
"maximum_value_warning": "150",
"enabled": "bridge_settings_enabled and bridge_enable_more_layers",
@@ -7536,9 +7636,9 @@
"unit": "%",
"default_value": 80,
"type": "float",
- "minimum_value": "5",
- "maximum_value": "100",
+ "minimum_value": "0",
"minimum_value_warning": "20",
+ "maximum_value_warning": "100",
"enabled": "bridge_settings_enabled and bridge_enable_more_layers",
"settable_per_mesh": true
},
@@ -7806,6 +7906,36 @@
"minimum_value_warning": "25",
"maximum_value_warning": "100",
"settable_per_mesh": true
+ },
+ "material_alternate_walls":
+ {
+ "label": "Alternate Wall Directions",
+ "description": "Alternate wall directions every other layer and inset. Useful for materials that can build up stress, like for metal printing.",
+ "type": "bool",
+ "default_value": false,
+ "enabled": false,
+ "settable_per_mesh": true,
+ "settable_per_extruder": true
+ },
+ "raft_remove_inside_corners":
+ {
+ "label": "Remove Raft Inside Corners",
+ "description": "Remove inside corners from the raft, causing the raft to become convex.",
+ "type": "bool",
+ "default_value": false,
+ "enabled": "resolveOrValue('adhesion_type') == 'raft'",
+ "settable_per_mesh": false,
+ "settable_per_extruder": false
+ },
+ "raft_base_wall_count":
+ {
+ "label": "Raft Base Wall Count",
+ "description": "The number of contours to print around the linear pattern in the base layer of the raft.",
+ "type": "int",
+ "default_value": 1,
+ "enabled": "resolveOrValue('adhesion_type') == 'raft'",
+ "settable_per_mesh": false,
+ "settable_per_extruder": false
}
}
},
diff --git a/resources/definitions/flyingbear_base.def.json b/resources/definitions/flyingbear_base.def.json
index a00a97deb6..b0c839ea89 100644
--- a/resources/definitions/flyingbear_base.def.json
+++ b/resources/definitions/flyingbear_base.def.json
@@ -175,8 +175,6 @@
"wall_0_wipe_dist": { "value": 0.0 },
"top_bottom_thickness": { "value": "layer_height_0 + layer_height * 3 if layer_height > 0.15 else 0.8" },
"optimize_wall_printing_order": { "value": true },
- "travel_compensate_overlapping_walls_0_enabled": { "value": false },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"filter_out_tiny_gaps": { "value": false },
"fill_outline_gaps": { "value": false },
"z_seam_type": { "value": "'sharpest_corner'" },
diff --git a/resources/definitions/fusedform_base.def.json b/resources/definitions/fusedform_base.def.json
index 24b841f704..1777b93913 100644
--- a/resources/definitions/fusedform_base.def.json
+++ b/resources/definitions/fusedform_base.def.json
@@ -48,7 +48,6 @@
"speed_topbottom": {"value": 40 },
"speed_wall": { "value": 35 },
"speed_wall_x": { "value": 40 },
- "speed_equalize_flow_max": { "value": 70 },
"retraction_enable": {"default_value":true},
"retraction_amount": { "default_value": 4 },
diff --git a/resources/definitions/fusedform_doppia_base.def.json b/resources/definitions/fusedform_doppia_base.def.json
index ddee568e28..add20dfc77 100644
--- a/resources/definitions/fusedform_doppia_base.def.json
+++ b/resources/definitions/fusedform_doppia_base.def.json
@@ -48,7 +48,6 @@
"speed_topbottom": {"value": 40 },
"speed_wall": { "value": 35 },
"speed_wall_x": { "value": 40 },
- "speed_equalize_flow_max": { "value": 70 },
"retraction_enable": {"default_value":true},
"retraction_amount": { "default_value": 4 },
diff --git a/resources/definitions/goofoo_base.def.json b/resources/definitions/goofoo_base.def.json
index a305cc3229..67a5a4f4cc 100644
--- a/resources/definitions/goofoo_base.def.json
+++ b/resources/definitions/goofoo_base.def.json
@@ -84,7 +84,6 @@
"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'" },
@@ -97,7 +96,6 @@
"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 },
diff --git a/resources/definitions/hellbot_magna_2_230_dual.def.json b/resources/definitions/hellbot_magna_2_230_dual.def.json
index b7a0e6f820..7768f51ac0 100644
--- a/resources/definitions/hellbot_magna_2_230_dual.def.json
+++ b/resources/definitions/hellbot_magna_2_230_dual.def.json
@@ -37,9 +37,15 @@
},
"machine_extruder_count": {
"default_value": 2
+ },
+ "machine_extruders_share_heater": {
+ "default_value": true
+ },
+ "machine_extruders_share_nozzle": {
+ "default_value": true
},
"machine_start_gcode": {
- "default_value": "G21\nG90\nM107\nG28 X0 Y0\nG28 Z0\nG1 Z15.0 F300\nT0\nG92 E0\nG1 F700 E-80\nT1\nG92 E0\nG1 F1000 X1 Y1 Z0.3\nG1 F600 X200 E60\nG1 F1000 Y3\nG1 F600 X1 E120\nT1\nG92 E0\nG28 X0 Y0\nG1 F700 E-80\nT0\nG92 E0"
+ "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0"
},
"machine_end_gcode": {
"default_value": "M104 T0 S0\nM104 T1 S0\nM140 S0\nG92 E1\nG1 E-1 F300\nG28 X0 Y0\nM84"
diff --git a/resources/definitions/hellbot_magna_2_300_dual.def.json b/resources/definitions/hellbot_magna_2_300_dual.def.json
index 52efac0ed2..ed22bfa079 100644
--- a/resources/definitions/hellbot_magna_2_300_dual.def.json
+++ b/resources/definitions/hellbot_magna_2_300_dual.def.json
@@ -37,9 +37,15 @@
},
"machine_extruder_count": {
"default_value": 2
+ },
+ "machine_extruders_share_heater": {
+ "default_value": true
+ },
+ "machine_extruders_share_nozzle": {
+ "default_value": true
},
"machine_start_gcode": {
- "default_value": "G21\nG90\nM107\nG28 X0 Y0\nG28 Z0\nG1 Z15.0 F300\nT0\nG92 E0\nG1 F700 E-80\nT1\nG92 E0\nG1 F1000 X1 Y1 Z0.3\nG1 F600 X200 E60\nG1 F1000 Y3\nG1 F600 X1 E120\nT1\nG92 E0\nG28 X0 Y0\nG1 F700 E-80\nT0\nG92 E0"
+ "default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0"
},
"machine_end_gcode": {
"default_value": "M104 T0 S0\nM104 T1 S0\nM140 S0\nG92 E1\nG1 E-1 F300\nG28 X0 Y0\nM84"
diff --git a/resources/definitions/hellbot_magna_2_400_dual.def.json b/resources/definitions/hellbot_magna_2_400_dual.def.json
index 963a7f7bc1..2dbdb1f6ca 100644
--- a/resources/definitions/hellbot_magna_2_400_dual.def.json
+++ b/resources/definitions/hellbot_magna_2_400_dual.def.json
@@ -38,6 +38,12 @@
"machine_extruder_count": {
"default_value": 2
},
+ "machine_extruders_share_heater": {
+ "default_value": true
+ },
+ "machine_extruders_share_nozzle": {
+ "default_value": true
+ },
"machine_start_gcode": {
"default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0"
},
diff --git a/resources/definitions/hellbot_magna_2_500_dual.def.json b/resources/definitions/hellbot_magna_2_500_dual.def.json
index 5b3f05ec4d..ba7f18d702 100644
--- a/resources/definitions/hellbot_magna_2_500_dual.def.json
+++ b/resources/definitions/hellbot_magna_2_500_dual.def.json
@@ -37,6 +37,12 @@
},
"machine_extruder_count": {
"default_value": 2
+ },
+ "machine_extruders_share_heater": {
+ "default_value": true
+ },
+ "machine_extruders_share_nozzle": {
+ "default_value": true
},
"machine_start_gcode": {
"default_value": "M104 T0 S{material_print_temperature}\nM104 T1 S{material_print_temperature}\nM109 T0 S{material_print_temperature}\nM109 T1 S{material_print_temperature}\nG21\nG90 \nG28 X0 Y0 \nG28 Z0 \nG1 Z15.0 F300 \nT0 \nG92 E0 \nG1 F700 E-80 \nT1 \nG92 E0 \nG1 F1000 X1 Y1 Z0.3 \nG1 F600 X200 E60 \nG1 F1000 Y3 \nG1 F600 X1 E120 \nT1 \nG92 E0 \nG28 X0 Y0 \nG1 F700 E-80 \nT0 \nG92 E0"
diff --git a/resources/definitions/hellbot_magna_SE.def.json b/resources/definitions/hellbot_magna_SE.def.json
new file mode 100644
index 0000000000..7420eaee63
--- /dev/null
+++ b/resources/definitions/hellbot_magna_SE.def.json
@@ -0,0 +1,41 @@
+{
+ "version": 2,
+ "name": "Hellbot Magna SE",
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": true,
+ "author": "Hellbot Development Team",
+ "manufacturer": "Hellbot",
+ "file_formats": "text/x-gcode",
+ "platform": "hellbot_magna_SE.obj",
+ "platform_texture": "hellbot_magna_SE.png",
+ "has_materials": true,
+ "machine_extruder_trains":
+ {
+ "0": "hellbot_magna_SE_extruder"
+ }
+
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "Hellbot Magna SE" },
+ "machine_width": {
+ "default_value": 230
+ },
+ "machine_depth": {
+ "default_value": 230
+ },
+ "machine_height": {
+ "default_value": 250
+ },
+ "machine_heated_bed": {
+ "default_value": true
+ },
+ "machine_center_is_zero": {
+ "default_value": false
+ },
+ "machine_extruder_count": {
+ "default_value": 1
+ }
+ }
+}
diff --git a/resources/definitions/hms434.def.json b/resources/definitions/hms434.def.json
index 7d76f24497..20acb6e3cf 100644
--- a/resources/definitions/hms434.def.json
+++ b/resources/definitions/hms434.def.json
@@ -89,9 +89,8 @@
"top_layers": {"value": "4 if infill_sparse_density < 95 else 1" },
"bottom_layers": {"value": "(top_layers)" },
"wall_0_inset": {"value": "0" },
- "outer_inset_first": {"value": true },
+ "inset_direction": {"value": "'outside_in'" },
"alternate_extra_perimeter": {"value": false },
- "travel_compensate_overlapping_walls_enabled": {"value": false },
"filter_out_tiny_gaps": {"value": true },
"fill_outline_gaps": {"value": true },
"z_seam_type": {"value": "'shortest'"},
diff --git a/resources/definitions/julia.def.json b/resources/definitions/julia.def.json
index 43c62a46b2..2055191e61 100644
--- a/resources/definitions/julia.def.json
+++ b/resources/definitions/julia.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "Fracktal",
"file_formats": "text/x-gcode",
"platform_offset": [ 0, 0, 0],
diff --git a/resources/definitions/kingroon_base.def.json b/resources/definitions/kingroon_base.def.json
index c458e684bd..83c8da9f0f 100644
--- a/resources/definitions/kingroon_base.def.json
+++ b/resources/definitions/kingroon_base.def.json
@@ -194,7 +194,6 @@
"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_none'" },
@@ -207,7 +206,6 @@
"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 },
diff --git a/resources/definitions/koonovo_base.def.json b/resources/definitions/koonovo_base.def.json
index acfd674ad1..b0791dd251 100644
--- a/resources/definitions/koonovo_base.def.json
+++ b/resources/definitions/koonovo_base.def.json
@@ -112,7 +112,6 @@
"minimum_support_area": { "value": 2 },
"minimum_interface_area": { "value": 10 },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"fill_outline_gaps": { "value": false },
"filter_out_tiny_gaps": { "value": false },
diff --git a/resources/definitions/koonovo_kn3.def.json b/resources/definitions/koonovo_kn3.def.json
index 5d490a75fe..0750eec47a 100644
--- a/resources/definitions/koonovo_kn3.def.json
+++ b/resources/definitions/koonovo_kn3.def.json
@@ -129,7 +129,6 @@
"minimum_support_area": { "value": 2 },
"minimum_interface_area": { "value": 10 },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"fill_outline_gaps": { "value": false },
"filter_out_tiny_gaps": { "value": false },
diff --git a/resources/definitions/koonovo_kn5.def.json b/resources/definitions/koonovo_kn5.def.json
index 3e0f3c8df5..16d34caf15 100644
--- a/resources/definitions/koonovo_kn5.def.json
+++ b/resources/definitions/koonovo_kn5.def.json
@@ -130,7 +130,6 @@
"minimum_support_area": { "value": 2 },
"minimum_interface_area": { "value": 10 },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"fill_outline_gaps": { "value": false },
"filter_out_tiny_gaps": { "value": false },
diff --git a/resources/definitions/liquid.def.json b/resources/definitions/liquid.def.json
index 77262a494f..0fc0f3c9ca 100644
--- a/resources/definitions/liquid.def.json
+++ b/resources/definitions/liquid.def.json
@@ -144,7 +144,6 @@
"retraction_prime_speed": { "value": "35" },
"skin_overlap": { "value": "10" },
- "speed_equalize_flow_enabled": { "value": "True" },
"speed_layer_0": { "value": "20" },
"speed_prime_tower": { "value": "speed_topbottom" },
"speed_print": { "value": "35" },
diff --git a/resources/definitions/longer_base.def.json b/resources/definitions/longer_base.def.json
index c0d06ce135..09ac8c3692 100644
--- a/resources/definitions/longer_base.def.json
+++ b/resources/definitions/longer_base.def.json
@@ -84,7 +84,6 @@
"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'" },
@@ -97,7 +96,6 @@
"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 },
diff --git a/resources/definitions/maker_made_300x.def.json b/resources/definitions/maker_made_300x.def.json
index ddb936cd36..efe5b18ec8 100644
--- a/resources/definitions/maker_made_300x.def.json
+++ b/resources/definitions/maker_made_300x.def.json
@@ -49,13 +49,8 @@
"top_bottom_pattern_0": {"value": "'lines'" },
"wall_0_inset": {"value": 0},
"optimize_wall_printing_order": {"value": false },
- "outer_inset_first": {"value": false },
+ "inset_direction": {"value": "'inside_out'" },
"alternate_extra_perimeter": {"value": false },
- "travel_compensate_overlapping_walls_enabled": {"value": true },
- "travel_compensate_overlapping_walls_0_enabled": {"value": true },
- "travel_compensate_overlapping_walls_x_enabled": {"value": true },
- "wall_min_flow": {"value": 0},
- "fill_perimeter_gaps": {"value": "'everywhere'" },
"filter_out_tiny_gaps": {"value": true },
"fill_outline_gaps": {"value": true },
"xy_offset": {"value": 0},
@@ -97,7 +92,6 @@
"speed_layer_0": {"value": 10},
"speed_travel_layer_0": {"value": 50},
"speed_slowdown_layers": {"value": 2},
- "speed_equalize_flow_enabled": {"value": false },
"acceleration_enabled": {"value": false },
"acceleration_roofing": {"value": 3000 },
"jerk_enabled": {"value": false },
diff --git a/resources/definitions/maker_starter.def.json b/resources/definitions/maker_starter.def.json
index d847bd4fe5..ea849b7039 100644
--- a/resources/definitions/maker_starter.def.json
+++ b/resources/definitions/maker_starter.def.json
@@ -78,7 +78,7 @@
"default_value": 0.2
},
"support_pattern": {
- "default_value": "ZigZag"
+ "default_value": "zigzag"
},
"support_infill_rate": {
"value": "15 if support_enable and support_structure == 'normal' else 0 if support_enable and support_structure == 'tree' else 15"
diff --git a/resources/definitions/makerbotreplicator.def.json b/resources/definitions/makerbotreplicator.def.json
index 24b556e1ee..6977ee8f5c 100644
--- a/resources/definitions/makerbotreplicator.def.json
+++ b/resources/definitions/makerbotreplicator.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "MakerBot",
"machine_x3g_variant": "r1",
"file_formats": "application/x3g",
diff --git a/resources/definitions/mingda_base.def.json b/resources/definitions/mingda_base.def.json
index 1051e53c2a..5dd9eeed7a 100644
--- a/resources/definitions/mingda_base.def.json
+++ b/resources/definitions/mingda_base.def.json
@@ -179,7 +179,6 @@
"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_none'" },
@@ -192,7 +191,6 @@
"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 },
diff --git a/resources/definitions/mixware_hyper_s.def.json b/resources/definitions/mixware_hyper_s.def.json
new file mode 100644
index 0000000000..0e82f1d4a3
--- /dev/null
+++ b/resources/definitions/mixware_hyper_s.def.json
@@ -0,0 +1,372 @@
+{
+ "name": "Hyper S",
+ "version": 2,
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": true,
+ "author": "Mixware",
+ "manufacturer": "Mixware",
+ "file_formats": "text/x-gcode",
+ "platform": "mixware_hyper_s_platform.stl",
+ "has_materials": true,
+ "has_machine_quality": true,
+ "preferred_material": "generic_pla",
+ "preferred_quality": "coarse",
+ "machine_extruder_trains": {
+ "0": "mixware_hyper_s_extruder_0"
+ }
+ },
+ "overrides": {
+ "machine_name": {
+ "default_value": "Hyper S"
+ },
+ "machine_start_gcode": {
+ "default_value": "M140 S{material_bed_temperature} ; Heat bed\nM109 S{material_print_temperature} ; Heat nozzle\nM190 S{material_bed_temperature} ; Wait for bed heating\nG28 ; home all axes\nM117 Purge extruder\nG92 E0 ; reset extruder\nG1 Z5.0 F1000 ; move z up little to prevent scratching of surface\nG1 X0.1 Y20 Z0.3 F5000.0 ; move to start-line position\nG1 X0.1 Y100.0 Z0.3 F1500.0 E15 ; draw 1st line\nG1 X0.4 Y100.0 Z0.3 F5000.0 ; move to side a little\nG1 X0.4 Y20 Z0.3 F1500.0 E30 ; draw 2nd line\nG92 E0 ; reset extruder\nG1 Z5.0 F1000 ; move z up little to prevent scratching of surface"
+ },
+ "machine_end_gcode": {
+ "default_value": "G91; relative positioning\nG1 Z1.0 F3000 ; move z up little to prevent scratching of print\nG90; absolute positioning\nG1 X0 Y200 F1000 ; prepare for part removal\nM104 S0; turn off extruder\nM140 S0 ; turn off bed\nG1 X0 Y220 F1000 ; prepare for part removal\nM84 ; disable motors\nM106 S0 ; turn off fan"
+ },
+ "machine_width": {
+ "default_value": 300
+ },
+ "machine_depth": {
+ "default_value": 300
+ },
+ "machine_height": {
+ "default_value": 400
+ },
+ "raft_margin": {
+ "default_value": 3,
+ "minimum_value_warning": "0.01"
+ },
+ "raft_airgap": {
+ "default_value": 0.24
+ },
+ "brim_width": {
+ "default_value": 3
+ },
+ "machine_heated_bed": {
+ "default_value": true
+ },
+ "material_diameter": {
+ "default_value": 1.75
+ },
+ "top_bottom_pattern": {
+ "default_value": "zigzag"
+ },
+ "ironing_line_spacing": {
+ "default_value": 0.4
+ },
+ "ironing_pattern": {
+ "default_value": "concentric"
+ },
+ "skin_no_small_gaps_heuristic": {
+ "default_value": false
+ },
+ "retraction_hop_enabled": {
+ "default_value": false
+ },
+ "support_enable": {
+ "default_value": true
+ },
+ "support_type": {
+ "default_value": "buildplate"
+ },
+ "support_angle": {
+ "default_value": 60
+ },
+ "support_pattern": {
+ "default_value": "zigzag"
+ },
+ "support_infill_rate": {
+ "value": 15
+ },
+ "gantry_height": {
+ "value": 25
+ },
+ "machine_max_feedrate_x": {
+ "default_value": 500
+ },
+ "machine_max_feedrate_y": {
+ "default_value": 500
+ },
+ "machine_max_feedrate_z": {
+ "default_value": 10
+ },
+ "machine_max_feedrate_e": {
+ "default_value": 50
+ },
+ "machine_max_acceleration_x": {
+ "default_value": 500
+ },
+ "machine_max_acceleration_y": {
+ "default_value": 500
+ },
+ "machine_max_acceleration_z": {
+ "default_value": 100
+ },
+ "machine_max_acceleration_e": {
+ "default_value": 500
+ },
+ "machine_acceleration": {
+ "default_value": 500
+ },
+ "machine_max_jerk_xy": {
+ "default_value": 10
+ },
+ "machine_max_jerk_z": {
+ "default_value": 0.4
+ },
+ "machine_max_jerk_e": {
+ "default_value": 5
+ },
+ "acceleration_print": {
+ "default_value": 1000
+ },
+ "jerk_print": {
+ "default_value": 10
+ },
+ "acceleration_enabled": {
+ "default_value": false
+ },
+ "jerk_enabled": {
+ "default_value": false
+ },
+ "speed_print": {
+ "default_value": 40.0
+ },
+ "optimize_wall_printing_order": {
+ "default_value": "True"
+ },
+ "z_seam_type": {
+ "default_value": "shortest"
+ },
+ "infill_before_walls": {
+ "default_value": false
+ },
+ "infill_sparse_density": {
+ "default_value": 15
+ },
+ "fill_outline_gaps": {
+ "default_value": false
+ },
+ "filter_out_tiny_gaps": {
+ "default_value": false
+ },
+ "retraction_hop": {
+ "default_value": 0.2
+ },
+ "travel_avoid_other_parts": {
+ "default_value": false
+ },
+ "travel_retract_before_outer_wall": {
+ "default_value": true
+ },
+ "retraction_amount": {
+ "default_value": 2
+ },
+ "retraction_enable": {
+ "default_value": true
+ },
+ "retraction_count_max": {
+ "default_value": 100
+ },
+ "cool_fan_enabled": {
+ "default_value": true
+ },
+ "cool_min_layer_time": {
+ "default_value": 10
+ },
+ "skirt_gap": {
+ "default_value": 8.0
+ },
+ "skirt_line_count": {
+ "default_value": 3
+ },
+ "adaptive_layer_height_variation": {
+ "default_value": 0.04
+ },
+ "adaptive_layer_height_variation_step": {
+ "default_value": 0.04
+ },
+ "support_use_towers": {
+ "default_value": false
+ },
+ "support_interface_enable": {
+ "default_value": true
+ },
+ "support_interface_density": {
+ "default_value": 33.333
+ },
+ "support_interface_pattern": {
+ "default_value": "grid"
+ },
+ "support_interface_skip_height": {
+ "default_value": 0.24
+ },
+ "top_bottom_thickness": {
+ "default_value": 0.8
+ },
+ "material_flow": {
+ "default_value": 100
+ },
+ "material_print_temperature": {
+ "maximum_value_warning": "330"
+ },
+ "acceleration_roofing": {
+ "enabled": "acceleration_enabled and roofing_layer_count > 0 and top_layers > 0"
+ },
+ "retraction_speed": {
+ "default_value": 40,
+ "maximum_value_warning": "machine_max_feedrate_e if retraction_enable else float('inf')",
+ "maximum_value": "200"
+ },
+ "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"
+ },
+ "speed_layer_0": {
+ "value": "speed_print / 2"
+ },
+ "acceleration_travel_layer_0": {
+ "value": "acceleration_travel"
+ },
+ "jerk_travel": {
+ "value": "jerk_print"
+ },
+ "jerk_travel_layer_0": {
+ "value": "jerk_travel"
+ },
+ "skirt_brim_speed": {
+ "value": "speed_layer_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_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"
+ },
+ "material_initial_print_temperature": {
+ "value": "material_print_temperature"
+ },
+ "material_final_print_temperature": {
+ "value": "material_print_temperature"
+ },
+ "cool_fan_full_at_height": {
+ "value": "layer_height_0 + 2 * layer_height"
+ },
+ "adhesion_type": {
+ "default_value": "skirt"
+ },
+ "meshfix_maximum_travel_resolution": {
+ "value": "meshfix_maximum_resolution"
+ },
+ "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": {
+ "default_value": "xy_overrides_z"
+ },
+ "support_interface_height": {
+ "value": "layer_height * 4"
+ },
+ "wall_thickness": {
+ "value": "line_width * 2"
+ },
+ "acceleration_travel": {
+ "value": 1000
+ },
+ "line_width": {
+ "value": 0.4
+ },
+ "speed_z_hop": {
+ "default_value": 5
+ },
+ "retraction_combing_max_distance": {
+ "default_value": 30
+ },
+ "travel_avoid_supports": {
+ "default_value": true
+ },
+ "brim_replaces_support": {
+ "default_value": false
+ },
+ "support_brim_width": {
+ "default_value": 4
+ },
+ "minimum_support_area": {
+ "default_value": 2
+ },
+ "minimum_interface_area": {
+ "default_value": 10
+ },
+ "support_wall_count": {
+ "value": 1
+ },
+ "support_brim_enable": {
+ "value": false
+ },
+ "retraction_combing": {
+ "value": "all"
+ },
+ "retraction_extrusion_window": {
+ "value": 10,
+ "maximum_value_warning": "20"
+ },
+ "retraction_min_travel": {
+ "value": 1.5
+ },
+ "infill_wipe_dist": {
+ "value": 0.0
+ },
+ "skin_overlap": {
+ "value": 10.0
+ },
+ "infill_overlap": {
+ "value": 30.0
+ },
+ "wall_0_wipe_dist": {
+ "value": 0.0
+ }
+ }
+}
diff --git a/resources/definitions/ord.def.json b/resources/definitions/ord.def.json
index 4a550602f2..0701133e54 100644
--- a/resources/definitions/ord.def.json
+++ b/resources/definitions/ord.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "ORD Solutions",
"file_formats": "text/x-gcode",
"machine_extruder_trains":
diff --git a/resources/definitions/peopoly_moai.def.json b/resources/definitions/peopoly_moai.def.json
index e19fed8b4d..cbc668dc74 100644
--- a/resources/definitions/peopoly_moai.def.json
+++ b/resources/definitions/peopoly_moai.def.json
@@ -176,15 +176,6 @@
"skin_outline_count": {
"value": 0
},
- "travel_compensate_overlapping_walls_enabled": {
- "value": "False"
- },
- "travel_compensate_overlapping_walls_0_enabled": {
- "value": "False"
- },
- "travel_compensate_overlapping_walls_x_enabled": {
- "value": "False"
- },
"wall_0_wipe_dist": {
"value": "machine_nozzle_size / 3"
},
@@ -218,10 +209,6 @@
"material_flow_layer_0": {
"enabled": false
},
- "speed_equalize_flow_enabled": {
- "enabled": false,
- "value": "False"
- },
"draft_shield_enabled": {
"enabled": false,
"value": "False"
diff --git a/resources/definitions/punchtec_connect_xl.def.json b/resources/definitions/punchtec_connect_xl.def.json
index 9bae80b0ac..cda6caa1f6 100644
--- a/resources/definitions/punchtec_connect_xl.def.json
+++ b/resources/definitions/punchtec_connect_xl.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "Punchtec",
"file_formats": "text/x-gcode",
"machine_extruder_trains":
diff --git a/resources/definitions/rigid3d_base.def.json b/resources/definitions/rigid3d_base.def.json
index de6365c415..bd1995f3dc 100644
--- a/resources/definitions/rigid3d_base.def.json
+++ b/resources/definitions/rigid3d_base.def.json
@@ -88,9 +88,6 @@
"wall_0_wipe_dist": { "value": 0.05 },
"optimize_wall_printing_order": { "value": "True" },
- "travel_compensate_overlapping_walls_enabled": { "value": "False" },
- "travel_compensate_overlapping_walls_0_enabled": { "value": "False" },
- "travel_compensate_overlapping_walls_x_enabled": { "value": "False" },
"infill_sparse_density": { "value": 16 },
"infill_wipe_dist": { "value": 0 },
diff --git a/resources/definitions/robo_3d_r1.def.json b/resources/definitions/robo_3d_r1.def.json
index 5ef21cef8b..0187d13dd0 100644
--- a/resources/definitions/robo_3d_r1.def.json
+++ b/resources/definitions/robo_3d_r1.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "Robo 3D",
"file_formats": "text/x-gcode",
"platform_offset": [ 0, 0, 0],
diff --git a/resources/definitions/sh65.def.json b/resources/definitions/sh65.def.json
new file mode 100644
index 0000000000..d26898d9dd
--- /dev/null
+++ b/resources/definitions/sh65.def.json
@@ -0,0 +1,51 @@
+{
+ "version": 2,
+ "name": "Volumic SH65",
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": true,
+ "author": "Volumic",
+ "manufacturer": "Volumic",
+ "file_formats": "text/x-gcode",
+ "icon": "volumic-icon",
+ "platform": "SH65_platform.STL",
+ "has_materials": true,
+ "has_machine_quality": true,
+ "machine_extruder_trains":{"0": "sh65_extruder"}
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "VOLUMIC SH65" },
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 650 },
+ "machine_height": { "default_value": 300 },
+ "machine_depth": { "default_value": 300 },
+ "machine_center_is_zero": { "default_value": false },
+ "material_diameter": { "default_value": 1.75 },
+ "machine_nozzle_size": { "default_value": 0.4 },
+ "layer_height": { "default_value": 0.1 },
+ "layer_height_0": { "default_value": 0.1 },
+ "retraction_amount": { "default_value": 2.40 },
+ "retraction_speed": { "default_value": 30 },
+ "adhesion_type": { "default_value": "none" },
+ "infill_sparse_density": { "default_value": 25 },
+ "fill_outline_gaps": { "default_value": true },
+ "retract_at_layer_change": { "default_value": true },
+ "retraction_combing_max_distance": { "default_value": 200 },
+ "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] },
+ "machine_max_feedrate_z": { "default_value": 30 },
+ "machine_max_feedrate_e": { "default_value": 60 },
+ "machine_max_acceleration_z": { "default_value": 500 },
+ "machine_acceleration": { "default_value": 2000 },
+ "machine_max_jerk_xy": { "default_value": 10 },
+ "machine_max_jerk_z": { "default_value": 0.4 },
+ "machine_max_jerk_e": { "default_value": 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression"
+ },
+ "machine_end_gcode": {
+ "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300"
+ }
+ }
+}
diff --git a/resources/definitions/skriware_2.def.json b/resources/definitions/skriware_2.def.json
index ed047eb637..dbcf140585 100644
--- a/resources/definitions/skriware_2.def.json
+++ b/resources/definitions/skriware_2.def.json
@@ -110,9 +110,6 @@
"switch_extruder_retraction_speed": {
"value": "30"
},
- "travel_compensate_overlapping_walls_enabled": {
- "default_value": false
- },
"raft_base_acceleration": {
"value": "400"
},
@@ -389,9 +386,6 @@
"acceleration_support_infill": {
"value": "400"
},
- "travel_compensate_overlapping_walls_0_enabled": {
- "value": "False"
- },
"support_bottom_material_flow": {
"value": "99"
},
@@ -584,9 +578,6 @@
"infill_material_flow": {
"value": "99"
},
- "speed_equalize_flow_max": {
- "default_value": 40
- },
"skin_preshrink": {
"value": "0.0"
},
@@ -644,9 +635,6 @@
"skirt_line_count": {
"default_value": 2
},
- "travel_compensate_overlapping_walls_x_enabled": {
- "value": "False"
- },
"jerk_wall_0": {
"value": "5"
},
diff --git a/resources/definitions/snapmaker2.def.json b/resources/definitions/snapmaker2.def.json
index e4ad7e19df..2c749d2b1b 100644
--- a/resources/definitions/snapmaker2.def.json
+++ b/resources/definitions/snapmaker2.def.json
@@ -26,7 +26,7 @@
"default_value": true
},
"machine_start_gcode": {
- "default_value": "M104 S{material_print_temperature} ;Set Hotend Temperature\nM140 S{material_bed_temperature} ;Set Bed Temperature\nG28 ;home\nG90 ;absolute positioning\nG1 X-10 Y-10 F3000 ;Move to corner \nG1 Z0 F1800 ;Go to zero offset\nM109 S{material_print_temperature} ;Wait for Hotend Temperature\nM190 S{material_bed_temperature} ;Wait for Bed Temperature\nG92 E0 ;Zero set extruder position\nG1 E20 F200 ;Feed filament to clear nozzle\nG92 E0 ;Zero set extruder position"
+ "default_value": "M104 S{material_print_temperature_layer_0} ;Set Hotend Temperature\nM140 S{material_bed_temperature_layer_0} ;Set Bed Temperature\nG28 ;home\nG90 ;absolute positioning\nG1 X-10 Y-10 F3000 ;Move to corner \nG1 Z0 F1800 ;Go to zero offset\nM109 S{material_print_temperature_layer_0} ;Wait for Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ;Wait for Bed Temperature\nG92 E0 ;Zero set extruder position\nG1 E20 F200 ;Feed filament to clear nozzle\nG92 E0 ;Zero set extruder position"
},
"machine_end_gcode": {
"default_value": "M104 S0 ;Extruder heater off\nM140 S0 ;Heated bed heater off\nG90 ;absolute positioning\nG92 E0 ;Retract the filament\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z{machine_width} E-1 F3000 ;move Z up a bit and retract filament even more\nG1 X0 F3000 ;move X to min endstops, so the head is out of the way\nG1 Y{machine_depth} F3000 ;so the head is out of the way and Plate is moved forward"
diff --git a/resources/definitions/stream30mk3.def.json b/resources/definitions/stream30mk3.def.json
new file mode 100644
index 0000000000..13a2571f02
--- /dev/null
+++ b/resources/definitions/stream30mk3.def.json
@@ -0,0 +1,51 @@
+{
+ "version": 2,
+ "name": "Volumic Stream30Pro MK3",
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": true,
+ "author": "Volumic",
+ "manufacturer": "Volumic",
+ "file_formats": "text/x-gcode",
+ "icon": "volumic-icon",
+ "platform": "STREAM30ULTRA_platform.STL",
+ "has_materials": true,
+ "has_machine_quality": true,
+ "machine_extruder_trains":{"0": "stream30mk3_extruder"}
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "VOLUMIC STREAM30PRO MK3" },
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 300 },
+ "machine_height": { "default_value": 310 },
+ "machine_depth": { "default_value": 200 },
+ "machine_center_is_zero": { "default_value": false },
+ "material_diameter": { "default_value": 1.75 },
+ "machine_nozzle_size": { "default_value": 0.4 },
+ "layer_height": { "default_value": 0.1 },
+ "layer_height_0": { "default_value": 0.1 },
+ "retraction_amount": { "default_value": 2.40 },
+ "retraction_speed": { "default_value": 30 },
+ "adhesion_type": { "default_value": "none" },
+ "infill_sparse_density": { "default_value": 25 },
+ "fill_outline_gaps": { "default_value": true },
+ "retract_at_layer_change": { "default_value": true },
+ "retraction_combing_max_distance": { "default_value": 200 },
+ "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] },
+ "machine_max_feedrate_z": { "default_value": 30 },
+ "machine_max_feedrate_e": { "default_value": 60 },
+ "machine_max_acceleration_z": { "default_value": 500 },
+ "machine_acceleration": { "default_value": 2000 },
+ "machine_max_jerk_xy": { "default_value": 10 },
+ "machine_max_jerk_z": { "default_value": 0.4 },
+ "machine_max_jerk_e": { "default_value": 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression"
+ },
+ "machine_end_gcode": {
+ "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300"
+ }
+ }
+}
diff --git a/resources/definitions/stream30ultrasc2.def.json b/resources/definitions/stream30ultrasc2.def.json
new file mode 100644
index 0000000000..b1994044cf
--- /dev/null
+++ b/resources/definitions/stream30ultrasc2.def.json
@@ -0,0 +1,51 @@
+{
+ "version": 2,
+ "name": "Volumic Stream30Ultra SC2",
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": true,
+ "author": "Volumic",
+ "manufacturer": "Volumic",
+ "file_formats": "text/x-gcode",
+ "icon": "volumic-icon",
+ "platform": "STREAM30ULTRA_platform.STL",
+ "has_materials": true,
+ "has_machine_quality": true,
+ "machine_extruder_trains":{"0": "stream30ultrasc2_extruder"}
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "VOLUMIC STREAM30ULTRA SC2" },
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 300 },
+ "machine_height": { "default_value": 310 },
+ "machine_depth": { "default_value": 200 },
+ "machine_center_is_zero": { "default_value": false },
+ "material_diameter": { "default_value": 1.75 },
+ "machine_nozzle_size": { "default_value": 0.4 },
+ "layer_height": { "default_value": 0.1 },
+ "layer_height_0": { "default_value": 0.1 },
+ "retraction_amount": { "default_value": 2.40 },
+ "retraction_speed": { "default_value": 30 },
+ "adhesion_type": { "default_value": "none" },
+ "infill_sparse_density": { "default_value": 25 },
+ "fill_outline_gaps": { "default_value": true },
+ "retract_at_layer_change": { "default_value": true },
+ "retraction_combing_max_distance": { "default_value": 200 },
+ "machine_head_with_fans_polygon": { "default_value": [[-38,30],[38,30],[38,-40],[-38,-40]] },
+ "machine_max_feedrate_z": { "default_value": 30 },
+ "machine_max_feedrate_e": { "default_value": 60 },
+ "machine_max_acceleration_z": { "default_value": 500 },
+ "machine_acceleration": { "default_value": 2000 },
+ "machine_max_jerk_xy": { "default_value": 10 },
+ "machine_max_jerk_z": { "default_value": 0.4 },
+ "machine_max_jerk_e": { "default_value": 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "M117 Demarrage\nM106 S0\nM140 S{material_bed_temperature_layer_0}\nM104 T0 S{material_print_temperature_layer_0}\nG28\nG90\nM82\nG92 E0\nG1 Z3 F600\n;M190 S{material_bed_temperature_layer_0}\nM109 T0 S{material_print_temperature_layer_0}\nM300 P350\nM117 Purge\nG1 Z0.15 F600\nG1 E10 F400\nG92 E0\nM117 Impression"
+ },
+ "machine_end_gcode": {
+ "default_value": "M107\nG91\nT0\nG1 E-1\nM104 T0 S0\nG90\nG0 X1 Y190 F5000\nG92 E0\nM140 S0\nM84\nM300"
+ }
+ }
+}
diff --git a/resources/definitions/tinyboy_fabrikator15.def.json b/resources/definitions/tinyboy_fabrikator15.def.json
index e115be6839..9f440a249f 100644
--- a/resources/definitions/tinyboy_fabrikator15.def.json
+++ b/resources/definitions/tinyboy_fabrikator15.def.json
@@ -9,7 +9,8 @@
"file_formats": "text/x-gcode",
"platform": "tinyboy_fabrikator15.stl",
"platform_offset": [-95, -3, -46],
- "has_materials": false,
+ "has_materials": true,
+ "preferred_material": "generic_pla_175",
"has_machine_quality": true,
"preferred_quality_type": "normal",
"machine_extruder_trains":
@@ -33,12 +34,10 @@
"gantry_height": { "value": 45 },
"machine_center_is_zero": { "default_value": false },
"machine_start_gcode": {
- "default_value": ";Sliced at: {day} {date} {time}\n;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {infill_sparse_density}\n;Print time: {print_time}\n;Filament used: {filament_amount}m {filament_weight}g\n;Filament cost: {filament_cost}\n;M190 S{print_bed_temperature} ;Uncomment to add your own bed temperature line\n;M109 S{print_temperature} ;Uncomment to add your own temperature line\nG21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 X0.0 Y0.0 Z15.0 F{travel_speed} ;move the printhead up 15mm\nG92 E0 ;zero the extruded length\n;M109 S{print_temperature} ;set extruder temperature\nG1 F200 E30 ;extrude 30mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F{travel_speed}\n;Put printing message on LCD screen\nM117 Printing..."
-
+ "default_value": ";Sliced at: {day} {date} {time}\n;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {infill_sparse_density}\n;Print time: {print_time}\n;Filament used: {filament_amount}m {filament_weight}g\n;Filament cost: {filament_cost}\nG21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 X0.0 Y0.0 Z15.0 F6000 ;move the printhead up 15mm\nG92 E0 ;zero the extruded length\nM104 S{material_print_temperature} ;set extruder temperature\nM105\nM109 S{material_print_temperature} ;wait for extruder temperature\nG1 F200 E30 ;extrude 30mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F6000\n;Put printing message on LCD screen\nM117 Printing..."
},
"machine_end_gcode": {
- "default_value": ";End GCode\nM104 S0 ;extruder heater off\nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F{travel_speed} ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nM84 ;steppers off\nG90 ;absolute positioning\n;{jobname}"
-
+ "default_value": ";End GCode\nM104 S0 ;extruder heater off\nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F6000 ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nM84 ;steppers off\nG90 ;absolute positioning\n;{jobname}"
}
}
}
diff --git a/resources/definitions/tronxy_x.def.json b/resources/definitions/tronxy_x.def.json
index aa61474f81..10b020267d 100644
--- a/resources/definitions/tronxy_x.def.json
+++ b/resources/definitions/tronxy_x.def.json
@@ -83,7 +83,6 @@
"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'" },
@@ -96,7 +95,6 @@
"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 },
diff --git a/resources/definitions/two_trees_base.def.json b/resources/definitions/two_trees_base.def.json
index d72843acbc..2da670cdf6 100644
--- a/resources/definitions/two_trees_base.def.json
+++ b/resources/definitions/two_trees_base.def.json
@@ -31,8 +31,7 @@
"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" },
@@ -64,11 +63,9 @@
"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'" },
@@ -121,6 +118,5 @@
"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/ultimaker.def.json b/resources/definitions/ultimaker.def.json
index 47a60fe51c..e8eae781d1 100644
--- a/resources/definitions/ultimaker.def.json
+++ b/resources/definitions/ultimaker.def.json
@@ -40,6 +40,33 @@
{
"value": false,
"enabled": false
+ },
+ "skin_angles": {
+ "value": "[] if infill_pattern not in ['cross', 'cross_3d'] else [20, 110]"
+ },
+ "line_width": {
+ "value": "machine_nozzle_size"
+ },
+ "infill_before_walls": {
+ "value": "False"
+ },
+ "retraction_combing": {
+ "value": "'no_outer_surfaces'"
+ },
+ "skin_monotonic" : {
+ "value": true
+ },
+ "speed_equalize_flow_width_factor": {
+ "value": "110.0"
+ },
+ "meshfix_maximum_extrusion_area_deviation": {
+ "value": "50000"
+ },
+ "top_layers": {
+ "value": "math.ceil(round(top_thickness / resolveOrValue('layer_height'), 4))"
+ },
+ "bottom_layers": {
+ "value": "math.ceil(round(bottom_thickness / resolveOrValue('layer_height'), 4))"
}
}
}
diff --git a/resources/definitions/ultimaker2.def.json b/resources/definitions/ultimaker2.def.json
index ca44f154e2..c028363239 100644
--- a/resources/definitions/ultimaker2.def.json
+++ b/resources/definitions/ultimaker2.def.json
@@ -86,18 +86,6 @@
},
"machine_acceleration": {
"default_value": 3000
- },
- "infill_before_walls": {
- "value": false
- },
- "retraction_combing": {
- "value": "'no_outer_surfaces'"
- },
- "skin_monotonic" : {
- "value": true
- },
- "top_bottom_pattern" : {
- "value": "'zigzag'"
}
}
}
diff --git a/resources/definitions/ultimaker2_plus.def.json b/resources/definitions/ultimaker2_plus.def.json
index 8250e70104..7c0e81b428 100644
--- a/resources/definitions/ultimaker2_plus.def.json
+++ b/resources/definitions/ultimaker2_plus.def.json
@@ -35,7 +35,7 @@
"value": "round(machine_nozzle_size / 1.5, 2)"
},
"line_width": {
- "value": "round(machine_nozzle_size * 0.875, 2)"
+ "value": "machine_nozzle_size"
},
"speed_support": {
"value": "speed_wall_0"
diff --git a/resources/definitions/ultimaker2_plus_connect.def.json b/resources/definitions/ultimaker2_plus_connect.def.json
index be143516ad..ba29cc36bd 100644
--- a/resources/definitions/ultimaker2_plus_connect.def.json
+++ b/resources/definitions/ultimaker2_plus_connect.def.json
@@ -55,11 +55,11 @@
},
"infill_wipe_dist": { "value": "0" },
"infill_overlap": { "value": "0" },
- "infill_pattern": { "value": "'grid'" },
+ "infill_pattern": { "value": "'zigzag' if infill_sparse_density > 80 else 'grid'" },
"speed_infill": { "value": "speed_print" },
"speed_wall_x": { "value": "speed_wall" },
"layer_height_0": { "value": "round(machine_nozzle_size / 1.5, 2)" },
- "line_width": { "value": "round(machine_nozzle_size * 0.875, 2)" },
+ "line_width": { "value": "machine_nozzle_size" },
"optimize_wall_printing_order": { "value": "True" },
"zig_zaggify_infill": { "value": "gradual_infill_steps == 0" },
"speed_support": { "value": "speed_wall_0" },
@@ -81,7 +81,7 @@
"material_bed_temperature_layer_0": { "maximum_value": 110 },
"material_print_temperature": { "maximum_value": 260 },
"meshfix_maximum_resolution": { "value": "(speed_wall_0 + speed_wall_x) / 60" },
- "meshfix_maximum_deviation": { "value": "layer_height / 4" },
+ "meshfix_maximum_deviation": { "value": "layer_height / 4" },
"meshfix_maximum_travel_resolution": { "value": 0.5 },
"prime_blob_enable": { "enabled": true, "default_value": true, "value": "resolveOrValue('print_sequence') != 'one_at_a_time'" }
}
diff --git a/resources/definitions/ultimaker3.def.json b/resources/definitions/ultimaker3.def.json
index 5d974cb4e3..197bfa4513 100644
--- a/resources/definitions/ultimaker3.def.json
+++ b/resources/definitions/ultimaker3.def.json
@@ -84,22 +84,20 @@
"acceleration_enabled": { "value": "True" },
"acceleration_layer_0": { "value": "acceleration_topbottom" },
- "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
- "acceleration_print": { "value": "4000" },
- "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
+ "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
+ "acceleration_print": { "value": "3500" },
+ "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
"acceleration_support_interface": { "value": "acceleration_topbottom" },
- "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 500 / 4000)" },
- "acceleration_wall": { "value": "math.ceil(acceleration_print * 1000 / 4000)" },
- "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 500 / 1000)" },
+ "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 1000 / 3500)" },
+ "acceleration_wall": { "value": "math.ceil(acceleration_print * 1500 / 3500)" },
+ "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 1000 / 3500)" },
"brim_width": { "value": "3" },
"cool_fan_full_at_height": { "value": "layer_height_0 + 4 * layer_height" },
"cool_fan_speed": { "value": "50" },
"cool_fan_speed_max": { "value": "100" },
"cool_min_speed": { "value": "5" },
- "infill_before_walls": { "value": false },
- "infill_line_width": { "value": "round(line_width * 0.5 / 0.35, 2)" },
"infill_overlap": { "value": "0" },
- "infill_pattern": { "value": "'triangles'" },
+ "infill_pattern": { "value": "'zigzag' if infill_sparse_density > 80 else 'triangles'" },
"infill_wipe_dist": { "value": "0" },
"initial_layer_line_width_factor": { "value": "120" },
"jerk_enabled": { "value": "True" },
@@ -121,7 +119,6 @@
"layer_height_0": { "value": "round(machine_nozzle_size / 1.5, 2)" },
"layer_start_x": { "value": "sum(extruderValues('machine_extruder_start_pos_x')) / len(extruderValues('machine_extruder_start_pos_x'))" },
"layer_start_y": { "value": "sum(extruderValues('machine_extruder_start_pos_y')) / len(extruderValues('machine_extruder_start_pos_y'))" },
- "line_width": { "value": "round(machine_nozzle_size * 0.875, 3)" },
"machine_min_cool_heat_time_window": { "value": "15" },
"default_material_print_temperature": { "value": "200" },
"material_print_temperature_layer_0": { "value": "material_print_temperature + 5" },
@@ -140,7 +137,6 @@
"raft_margin": { "value": "10" },
"raft_surface_layers": { "value": "1" },
"retraction_amount": { "value": "6.5" },
- "retraction_combing": {"value": "'no_outer_surfaces'"},
"retraction_count_max": { "value": "10" },
"retraction_extrusion_window": { "value": "1" },
"retraction_hop": { "value": "2" },
@@ -149,7 +145,6 @@
"retraction_min_travel": { "value": "5" },
"retraction_prime_speed": { "value": "15" },
"skin_overlap": { "value": "10" },
- "skin_monotonic" : { "value": true },
"speed_layer_0": { "value": "20" },
"speed_prime_tower": { "value": "speed_topbottom" },
"speed_print": { "value": "35" },
@@ -168,11 +163,9 @@
"support_z_distance": { "value": "0" },
"switch_extruder_prime_speed": { "value": "15" },
"switch_extruder_retraction_amount": { "value": "8" },
- "top_bottom_pattern" : {"value": "'zigzag'"},
"top_bottom_thickness": { "value": "1" },
"travel_avoid_distance": { "value": "3 if extruders_enabled_count > 1 else machine_nozzle_tip_outer_diameter / 2 * 1.5" },
"wall_0_inset": { "value": "0" },
- "wall_line_width_x": { "value": "round(wall_line_width * 0.3 / 0.35, 2)" },
"wall_thickness": { "value": "1" },
"zig_zaggify_infill": { "value": "gradual_infill_steps == 0" }
}
diff --git a/resources/definitions/ultimaker_original.def.json b/resources/definitions/ultimaker_original.def.json
index d209c28a07..15b381f4da 100644
--- a/resources/definitions/ultimaker_original.def.json
+++ b/resources/definitions/ultimaker_original.def.json
@@ -59,6 +59,9 @@
},
"machine_end_gcode": {
"value": "'M104 S0 ;extruder heater off' + ('\\nM140 S0 ;heated bed heater off' if machine_heated_bed else '') + '\\nG91 ;relative positioning\\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\\nG1 Z+0.5 E-5 X-20 Y-20 F9000 ;move Z up a bit and retract filament even more\\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\\nM84 ;steppers off\\nG90 ;absolute positioning'"
+ },
+ "infill_before_walls": {
+ "value": "False"
}
}
}
diff --git a/resources/definitions/ultimaker_s3.def.json b/resources/definitions/ultimaker_s3.def.json
index da11ddf0d5..6ecf2fe848 100644
--- a/resources/definitions/ultimaker_s3.def.json
+++ b/resources/definitions/ultimaker_s3.def.json
@@ -77,22 +77,20 @@
"acceleration_enabled": { "value": "True" },
"acceleration_layer_0": { "value": "acceleration_topbottom" },
- "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
- "acceleration_print": { "value": "4000" },
- "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
+ "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
+ "acceleration_print": { "value": "3500" },
+ "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
"acceleration_support_interface": { "value": "acceleration_topbottom" },
- "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 500 / 4000)" },
- "acceleration_wall": { "value": "math.ceil(acceleration_print * 1000 / 4000)" },
- "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 500 / 1000)" },
+ "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 1000 / 3500)" },
+ "acceleration_wall": { "value": "math.ceil(acceleration_print * 1500 / 3500)" },
+ "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 1000 / 1000)" },
"brim_width": { "value": "3" },
"cool_fan_full_at_height": { "value": "layer_height_0 + 4 * layer_height" },
"cool_fan_speed": { "value": "50" },
"cool_fan_speed_max": { "value": "100" },
"cool_min_speed": { "value": "5" },
- "infill_before_walls": { "value": false },
- "infill_line_width": { "value": "round(line_width * 0.5 / 0.35, 2)" },
"infill_overlap": { "value": "0" },
- "infill_pattern": { "value": "'triangles'" },
+ "infill_pattern": { "value": "'zigzag' if infill_sparse_density > 80 else 'triangles'" },
"infill_wipe_dist": { "value": "0" },
"jerk_enabled": { "value": "True" },
"jerk_print": { "value": "20", "minimum_value_warning": 20 },
@@ -113,7 +111,6 @@
"layer_height_0": { "value": "round(machine_nozzle_size / 1.5, 2)" },
"layer_start_x": { "value": "sum(extruderValues('machine_extruder_start_pos_x')) / len(extruderValues('machine_extruder_start_pos_x'))" },
"layer_start_y": { "value": "sum(extruderValues('machine_extruder_start_pos_y')) / len(extruderValues('machine_extruder_start_pos_y'))" },
- "line_width": { "value": "machine_nozzle_size * 0.875" },
"machine_min_cool_heat_time_window": { "value": "15" },
"default_material_print_temperature": { "value": "200" },
"material_standby_temperature": { "value": "100" },
@@ -132,7 +129,6 @@
"raft_speed": { "value": "25" },
"raft_surface_layers": { "value": "1" },
"retraction_amount": { "value": "6.5" },
- "retraction_combing": { "value": "'no_outer_surfaces'"},
"retraction_count_max": { "value": "10" },
"retraction_extrusion_window": { "value": "1" },
"retraction_hop": { "value": "2" },
@@ -140,9 +136,7 @@
"retraction_hop_only_when_collides": { "value": "True" },
"retraction_min_travel": { "value": "5" },
"retraction_prime_speed": { "value": "15" },
- "skin_monotonic" : { "value": true },
"skin_overlap": { "value": "10" },
- "speed_equalize_flow_enabled": { "value": "True" },
"speed_layer_0": { "value": "20" },
"speed_prime_tower": { "value": "speed_topbottom" },
"speed_print": { "value": "35" },
@@ -160,16 +154,13 @@
"support_z_distance": { "value": "0" },
"switch_extruder_prime_speed": { "value": "15" },
"switch_extruder_retraction_amount": { "value": "8" },
- "top_bottom_pattern" : {"value": "'zigzag'"},
"top_bottom_thickness": { "value": "1" },
"travel_avoid_supports": { "value": "True" },
"travel_avoid_distance": { "value": "3 if extruders_enabled_count > 1 else machine_nozzle_tip_outer_diameter / 2 * 1.5" },
"wall_0_inset": { "value": "0" },
- "wall_line_width_x": { "value": "round(line_width * 0.3 / 0.35, 2)" },
"wall_thickness": { "value": "1" },
"meshfix_maximum_resolution": { "value": "(speed_wall_0 + speed_wall_x) / 60" },
"meshfix_maximum_deviation": { "value": "layer_height / 4" },
- "optimize_wall_printing_order": { "value": "True" },
"initial_layer_line_width_factor": { "value": "120" },
"zig_zaggify_infill": { "value": "gradual_infill_steps == 0" }
}
diff --git a/resources/definitions/ultimaker_s5.def.json b/resources/definitions/ultimaker_s5.def.json
index 9493a25add..ea58cfef33 100644
--- a/resources/definitions/ultimaker_s5.def.json
+++ b/resources/definitions/ultimaker_s5.def.json
@@ -79,22 +79,20 @@
"acceleration_enabled": { "value": "True" },
"acceleration_layer_0": { "value": "acceleration_topbottom" },
- "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
- "acceleration_print": { "value": "4000" },
- "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 4000)" },
+ "acceleration_prime_tower": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
+ "acceleration_print": { "value": "3500" },
+ "acceleration_support": { "value": "math.ceil(acceleration_print * 2000 / 3500)" },
"acceleration_support_interface": { "value": "acceleration_topbottom" },
- "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 500 / 4000)" },
- "acceleration_wall": { "value": "math.ceil(acceleration_print * 1000 / 4000)" },
- "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 500 / 1000)" },
+ "acceleration_topbottom": { "value": "math.ceil(acceleration_print * 1000 / 3500)" },
+ "acceleration_wall": { "value": "math.ceil(acceleration_print * 1500 / 3500)" },
+ "acceleration_wall_0": { "value": "math.ceil(acceleration_wall * 1000 / 1000)" },
"brim_width": { "value": "3" },
"cool_fan_full_at_height": { "value": "layer_height_0 + 4 * layer_height" },
"cool_fan_speed": { "value": "50" },
"cool_fan_speed_max": { "value": "100" },
"cool_min_speed": { "value": "5" },
- "infill_before_walls": { "value": false },
- "infill_line_width": { "value": "round(line_width * 0.5 / 0.35, 2)" },
"infill_overlap": { "value": "0" },
- "infill_pattern": { "value": "'triangles'" },
+ "infill_pattern": { "value": "'zigzag' if infill_sparse_density > 80 else 'triangles'" },
"infill_wipe_dist": { "value": "0" },
"jerk_enabled": { "value": "True" },
"jerk_print": { "value": "20", "minimum_value_warning": 20 },
@@ -115,7 +113,6 @@
"layer_height_0": { "value": "round(machine_nozzle_size / 1.5, 2)" },
"layer_start_x": { "value": "sum(extruderValues('machine_extruder_start_pos_x')) / len(extruderValues('machine_extruder_start_pos_x'))" },
"layer_start_y": { "value": "sum(extruderValues('machine_extruder_start_pos_y')) / len(extruderValues('machine_extruder_start_pos_y'))" },
- "line_width": { "value": "machine_nozzle_size * 0.875" },
"machine_min_cool_heat_time_window": { "value": "15" },
"default_material_print_temperature": { "value": "200" },
"material_standby_temperature": { "value": "100" },
@@ -141,9 +138,7 @@
"retraction_hop_only_when_collides": { "value": "True" },
"retraction_min_travel": { "value": "5" },
"retraction_prime_speed": { "value": "15" },
- "skin_monotonic" : { "value": true },
"skin_overlap": { "value": "10" },
- "speed_equalize_flow_enabled": { "value": "True" },
"speed_layer_0": { "value": "20" },
"speed_prime_tower": { "value": "speed_topbottom" },
"speed_print": { "value": "35" },
@@ -161,12 +156,10 @@
"support_z_distance": { "value": "0" },
"switch_extruder_prime_speed": { "value": "15" },
"switch_extruder_retraction_amount": { "value": "8" },
- "top_bottom_pattern" : {"value": "'zigzag'"},
"top_bottom_thickness": { "value": "1" },
"travel_avoid_supports": { "value": "True" },
"travel_avoid_distance": { "value": "3 if extruders_enabled_count > 1 else machine_nozzle_tip_outer_diameter / 2 * 1.5" },
"wall_0_inset": { "value": "0" },
- "wall_line_width_x": { "value": "round(line_width * 0.3 / 0.35, 2)" },
"wall_thickness": { "value": "1" },
"meshfix_maximum_resolution": { "value": "(speed_wall_0 + speed_wall_x) / 60" },
"meshfix_maximum_deviation": { "value": "layer_height / 4" },
diff --git a/resources/definitions/voron2_base.def.json b/resources/definitions/voron2_base.def.json
index ef1e79cc78..ec069b24fb 100644
--- a/resources/definitions/voron2_base.def.json
+++ b/resources/definitions/voron2_base.def.json
@@ -136,7 +136,6 @@
"layer_height_0": { "resolve": "max(0.2, min(extruderValues('layer_height')))" },
"line_width": { "value": "machine_nozzle_size * 1.125" },
"wall_line_width": { "value": "machine_nozzle_size" },
- "fill_perimeter_gaps": { "default_value": "nowhere" },
"fill_outline_gaps": { "default_value": true },
"meshfix_maximum_resolution": { "default_value": 0.01 },
"infill_before_walls": { "default_value": false },
diff --git a/resources/definitions/weedo_x40.def.json b/resources/definitions/weedo_x40.def.json
index 465edff6b4..6dc45612b1 100644
--- a/resources/definitions/weedo_x40.def.json
+++ b/resources/definitions/weedo_x40.def.json
@@ -210,7 +210,6 @@
"cool_fan_speed": { "value": "50" },
"cool_fan_speed_max": { "value": "100" },
"cool_min_speed": { "value": "7" },
- "fill_perimeter_gaps": { "value": "'everywhere'" },
"fill_outline_gaps": { "value": false },
"filter_out_tiny_gaps": { "value": false },
"infill_line_width": { "value": "round(line_width * 0.42 / 0.35, 2)" },
@@ -273,7 +272,6 @@
"support_z_distance": { "value": "layer_height if layer_height >= 0.16 else layer_height*2" },
"support_supported_skin_fan_speed": { "value": 100 },
"switch_extruder_retraction_amount": { "value": 0 },
- "travel_compensate_overlapping_walls_0_enabled": { "value": "False" },
"travel_avoid_other_parts": { "value": true },
"travel_retract_before_outer_wall": { "value": true },
"top_bottom_thickness": {"value": "line_width * 2" },
diff --git a/resources/definitions/winbo_dragonl4.def.json b/resources/definitions/winbo_dragonl4.def.json
index 2798abffc2..746b9ce2fe 100644
--- a/resources/definitions/winbo_dragonl4.def.json
+++ b/resources/definitions/winbo_dragonl4.def.json
@@ -107,7 +107,6 @@
"speed_wall": { "value": "speed_print*wall_line_width_0/line_width" },
"speed_wall_0": { "value": "math.ceil(speed_wall * 0.6)" },
"speed_wall_x": { "value": "speed_wall" },
- "speed_equalize_flow_enabled": { "value": "False" },
"support_angle": { "value": "50" },
"support_xy_distance": { "value": "1" },
"support_z_distance": { "value": "max((0.2 if(0.2%layer_height==0) else layer_height*int((0.2+layer_height)/layer_height)),layer_height)" },
@@ -129,7 +128,6 @@
"support_interface_enable": { "value": "True" },
"support_interface_height": { "value": "0.5" },
"support_roof_pattern": { "value": "'concentric'" },
- "z_seam_type": { "value": "'shortest'" },
- "speed_equalize_flow_max": { "value": "65" }
+ "z_seam_type": { "value": "'shortest'" }
}
}
diff --git a/resources/definitions/winbo_mini2.def.json b/resources/definitions/winbo_mini2.def.json
index a43948a49d..903142010b 100644
--- a/resources/definitions/winbo_mini2.def.json
+++ b/resources/definitions/winbo_mini2.def.json
@@ -107,7 +107,6 @@
"speed_wall": { "value": "speed_print*wall_line_width_0/line_width" },
"speed_wall_0": { "value": "math.ceil(speed_wall * 0.6)" },
"speed_wall_x": { "value": "speed_wall" },
- "speed_equalize_flow_enabled": { "value": "False" },
"support_angle": { "value": "50" },
"support_xy_distance": { "value": "1" },
"support_z_distance": { "value": "max((0.2 if(0.2%layer_height==0) else layer_height*int((0.2+layer_height)/layer_height)),layer_height)" },
@@ -129,7 +128,6 @@
"support_interface_enable": { "value": "True" },
"support_interface_height": { "value": "0.5" },
"support_roof_pattern": { "value": "'concentric'" },
- "z_seam_type": { "value": "'shortest'" },
- "speed_equalize_flow_max": { "value": "65" }
+ "z_seam_type": { "value": "'shortest'" }
}
}
diff --git a/resources/definitions/winbo_superhelper105.def.json b/resources/definitions/winbo_superhelper105.def.json
index 2da031cb99..055967f8ab 100644
--- a/resources/definitions/winbo_superhelper105.def.json
+++ b/resources/definitions/winbo_superhelper105.def.json
@@ -96,7 +96,6 @@
"speed_wall": { "value": "speed_print*wall_line_width_0/line_width" },
"speed_wall_0": { "value": "math.ceil(speed_wall * 0.6)" },
"speed_wall_x": { "value": "speed_wall" },
- "speed_equalize_flow_enabled": { "value": "False" },
"support_angle": { "value": "50" },
"support_xy_distance": { "value": "1" },
"support_z_distance": { "value": "max((0.2 if(0.2%layer_height==0) else layer_height*int((0.2+layer_height)/layer_height)),layer_height)" },
@@ -118,7 +117,6 @@
"support_interface_enable": { "value": "True" },
"support_interface_height": { "value": "0.5" },
"support_roof_pattern": { "value": "'concentric'" },
- "z_seam_type": { "value": "'shortest'" },
- "speed_equalize_flow_max": { "value": "65" }
+ "z_seam_type": { "value": "'shortest'" }
}
}
diff --git a/resources/definitions/xyzprinting_base.def.json b/resources/definitions/xyzprinting_base.def.json
new file mode 100644
index 0000000000..a36afd0216
--- /dev/null
+++ b/resources/definitions/xyzprinting_base.def.json
@@ -0,0 +1,47 @@
+{
+ "name": "XYZprinting Base Printer",
+ "version": 2,
+ "inherits": "fdmprinter",
+ "metadata": {
+ "visible": false,
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "file_formats": "text/x-gcode",
+ "first_start_actions": ["MachineSettingsAction"],
+ "machine_extruder_trains":
+ {
+ "0": "xyzprinting_base_extruder_0"
+ },
+ "has_materials": true,
+ "has_variants": true,
+ "has_machine_quality": true,
+ "preferred_quality_type": "normal",
+ "preferred_material": "generic_pla",
+ "variants_name": "Nozzle Type"
+ },
+ "overrides": {
+ "machine_heated_bed": {"default_value": true},
+ "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": 1500 },
+ "machine_max_acceleration_y": { "value": 1500 },
+ "machine_max_acceleration_z": { "value": 500 },
+ "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 },
+ "adhesion_type": { "value": "'none' if support_enable else 'brim'" },
+ "brim_width": { "value": 10.0 },
+ "cool_fan_speed": { "value": 100 },
+ "cool_fan_speed_0": { "value": 0 }
+ },
+
+
+ "machine_gcode_flavor": {"default_value": "RepRap (Marlin/Sprinter)"},
+ "machine_start_gcode": {"default_value": ";Start Gcode\nG90 ;absolute positioning\nM118 X25.00 Y25.00 Z20.00 T0\nM140 S{material_bed_temperature_layer_0} T0 ;Heat bed up to first layer temperature\nM104 S{material_print_temperature_layer_0} T0 ;Set nozzle temperature to first layer temperature\nM107 ;start with the fan off\nG90\nG28\nM132 X Y Z A B\nG1 Z50.000 F420\nG161 X Y F3300\nM7 T0\nM6 T0\nM651\nM907 X100 Y100 Z40 A100 B20 ;Digital potentiometer value\nM108 T0\n;Purge line\nG1 X-110.00 Y-60.00 F4800\nG1 Z{layer_height_0} F420\nG1 X-110.00 Y60.00 E17,4 F1200\n;Purge line end"},
+ "machine_end_gcode": {"default_value": ";end gcode\nM104 S0 T0\nM140 S0 T0\nG162 Z F1800\nG28 X Y\nM652\nM132 X Y Z A B\nG91\nM18"
+ }
+ }
diff --git a/resources/definitions/xyzprinting_da_vinci_1p0_pro.def.json b/resources/definitions/xyzprinting_da_vinci_1p0_pro.def.json
new file mode 100644
index 0000000000..87700973b7
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_1p0_pro.def.json
@@ -0,0 +1,52 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci 1.0 Pro",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": true,
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_1p0_pro",
+ "preferred_variant_name": "Copper 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_1p0_pro_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci 1.0 Pro" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 200.00 },
+ "machine_depth": { "default_value": 200.00 },
+ "machine_height": { "default_value":200.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/xyzprinting_da_vinci_jr_1p0a_pro.def.json b/resources/definitions/xyzprinting_da_vinci_jr_1p0a_pro.def.json
new file mode 100644
index 0000000000..02a39f006e
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_jr_1p0a_pro.def.json
@@ -0,0 +1,53 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci Jr. 1.0A Pro",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": 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", "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" ],
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_jr_1p0a_pro",
+ "preferred_variant_name": "Copper 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_jr_1p0a_pro_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci Jr. 1.0A Pro" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 175.00 },
+ "machine_depth": { "default_value": 175.00 },
+ "machine_height": { "default_value":175.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/xyzprinting_da_vinci_jr_pro_xeplus.def.json b/resources/definitions/xyzprinting_da_vinci_jr_pro_xeplus.def.json
new file mode 100644
index 0000000000..715ac854bf
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_jr_pro_xeplus.def.json
@@ -0,0 +1,52 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci Jr. Pro Xe+",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": true,
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_jr_pro_xeplus",
+ "preferred_variant_name": "Copper 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_jr_pro_xeplus_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci Jr. Pro Xe+" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 175.00 },
+ "machine_depth": { "default_value": 175.00 },
+ "machine_height": { "default_value":175.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/xyzprinting_da_vinci_jr_pro_xplus.def.json b/resources/definitions/xyzprinting_da_vinci_jr_pro_xplus.def.json
new file mode 100644
index 0000000000..3216929029
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_jr_pro_xplus.def.json
@@ -0,0 +1,52 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci Jr. Pro X+",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": true,
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_jr_pro_xplus",
+ "preferred_variant_name": "Copper 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_jr_pro_xplus_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci Jr. Pro X+" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 175.00 },
+ "machine_depth": { "default_value": 175.00 },
+ "machine_height": { "default_value":175.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/xyzprinting_da_vinci_jr_w_pro.def.json b/resources/definitions/xyzprinting_da_vinci_jr_w_pro.def.json
new file mode 100644
index 0000000000..6289927c9c
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_jr_w_pro.def.json
@@ -0,0 +1,52 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci Jr. WiFi Pro",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": true,
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_jr_w_pro",
+ "preferred_variant_name": "Hardened Steel 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_jr_w_pro_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci Jr. WiFi Pro" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 150.00 },
+ "machine_depth": { "default_value": 150.00 },
+ "machine_height": { "default_value":150.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/xyzprinting_da_vinci_super.def.json b/resources/definitions/xyzprinting_da_vinci_super.def.json
new file mode 100644
index 0000000000..1fbc4ec9d0
--- /dev/null
+++ b/resources/definitions/xyzprinting_da_vinci_super.def.json
@@ -0,0 +1,52 @@
+{
+ "version": 2,
+ "name": "XYZprinting da Vinci Super",
+ "inherits": "xyzprinting_base",
+ "metadata": {
+ "author": "XYZprinting Software",
+ "manufacturer": "XYZprinting",
+ "visible": true,
+ "file_formats": "text/x-gcode",
+ "has_machine_quality": true,
+ "has_materials": true,
+ "has_variants": true,
+ "supports_usb_connection": true,
+ "preferred_quality_type": "normal",
+ "quality_definition": "xyzprinting_da_vinci_super",
+ "preferred_variant_name": "Copper 0.4mm Nozzle",
+ "variants_name": "Nozzle Type",
+ "machine_extruder_trains": {
+ "0": "xyzprinting_da_vinci_super_extruder_0"
+ }
+ },
+
+ "overrides": {
+ "machine_name": { "default_value": "XYZprinting da Vinci Super" },
+ "machine_shape": { "default_value": "rectangular"},
+ "machine_heated_bed": { "default_value": true },
+ "machine_width": { "default_value": 300.00 },
+ "machine_depth": { "default_value": 300.00 },
+ "machine_height": { "default_value":300.00 },
+ "machine_center_is_zero": { "default_value": false },
+ "machine_head_with_fans_polygon": {
+ "default_value": [
+ [ -20, -10 ],
+ [ -20, 10 ],
+ [ 10, 10 ],
+ [ 10, -10 ]
+ ]
+ },
+ "material_flow_layer_0": {"value": 120},
+ "cool_fan_enabled": { "default_value": true },
+ "cool_fan_speed_0": { "value": 100 },
+ "brim_line_count": { "value" : 5 },
+ "skirt_line_count": { "default_value" : 5 },
+ "machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
+ "machine_start_gcode": {
+ "default_value": "G28 ; home all axes\nG1 Z15 F5000 ; lift nozzle\nG92 E0\nG1 F200 E3\n"
+ },
+ "machine_end_gcode": {
+ "default_value": "M104 S0 ; turn off temperature\nM105 S0; \nG28 X0 ; home X axis\nM84 ; disable motors\n"
+ }
+ }
+}
diff --git a/resources/definitions/zone3d_printer.def.json b/resources/definitions/zone3d_printer.def.json
index 4c72422788..8939043e05 100644
--- a/resources/definitions/zone3d_printer.def.json
+++ b/resources/definitions/zone3d_printer.def.json
@@ -4,7 +4,6 @@
"inherits": "fdmprinter",
"metadata": {
"visible": true,
- "author": "Ultimaker",
"manufacturer": "Zone3D",
"file_formats": "text/x-gcode",
"platform_offset": [ 0, 0, 0],
diff --git a/resources/extruders/eazao_zero_extruder_0.def.json b/resources/extruders/eazao_zero_extruder_0.def.json
new file mode 100644
index 0000000000..00038a2ac9
--- /dev/null
+++ b/resources/extruders/eazao_zero_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "eazao_zero",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": { "default_value": 0 },
+ "machine_nozzle_size": { "default_value": 1.5 },
+ "material_diameter": { "default_value": 1.75 }
+ }
+}
diff --git a/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json b/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json
index b572ea4318..2dc919ea68 100644
--- a/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json
+++ b/resources/extruders/hellbot_magna_2_230_dual_extruder_0.def.json
@@ -13,6 +13,12 @@
"maximum_value": "1"
},
"machine_nozzle_size": { "default_value": 0.4 },
- "material_diameter": { "default_value": 1.75 }
+ "material_diameter": { "default_value": 1.75 },
+ "machine_extruder_start_code": {
+ "default_value": "T0 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}"
+ },
+ "machine_extruder_end_code": {
+ "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X230 Y200 \nG1 F3000 E-100 \nG92 E0 \nG90"
+ }
}
}
diff --git a/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json b/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json
index 398822b156..6b5c6214cb 100644
--- a/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json
+++ b/resources/extruders/hellbot_magna_2_230_dual_extruder_1.def.json
@@ -13,6 +13,12 @@
"maximum_value": "1"
},
"machine_nozzle_size": { "default_value": 0.4 },
- "material_diameter": { "default_value": 1.75 }
+ "material_diameter": { "default_value": 1.75 },
+ "machine_extruder_start_code": {
+ "default_value": "T1 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}"
+ },
+ "machine_extruder_end_code": {
+ "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X230 Y200 \nG1 F3000 E-100 \nG92 E0 \nG90"
+ }
}
}
diff --git a/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json b/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json
index af68cc9422..403001b86f 100644
--- a/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json
+++ b/resources/extruders/hellbot_magna_2_300_dual_extruder_0.def.json
@@ -13,6 +13,12 @@
"maximum_value": "1"
},
"machine_nozzle_size": { "default_value": 0.4 },
- "material_diameter": { "default_value": 1.75 }
+ "material_diameter": { "default_value": 1.75 },
+ "machine_extruder_start_code": {
+ "default_value": "T0 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}"
+ },
+ "machine_extruder_end_code": {
+ "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X300 Y250 \nG1 F3000 E-100 \nG92 E0 \nG90"
+ }
}
}
diff --git a/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json b/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json
index 3585978d6e..ee3663f610 100644
--- a/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json
+++ b/resources/extruders/hellbot_magna_2_300_dual_extruder_1.def.json
@@ -13,6 +13,12 @@
"maximum_value": "1"
},
"machine_nozzle_size": { "default_value": 0.4 },
- "material_diameter": { "default_value": 1.75 }
+ "material_diameter": { "default_value": 1.75 },
+ "machine_extruder_start_code": {
+ "default_value": "T1 \nG92 E0 \nG1 F1000 E100 \nG92 E0 \nM104 S{material_print_temperature}"
+ },
+ "machine_extruder_end_code": {
+ "default_value": "G92 E0 \nG1 F2500 E-5 \nG1 F2400 X300 Y250 \nG1 F3000 E-100 \nG92 E0 \nG90"
+ }
}
}
diff --git a/resources/extruders/hellbot_magna_SE_extruder.def.json b/resources/extruders/hellbot_magna_SE_extruder.def.json
new file mode 100644
index 0000000000..23c267b63b
--- /dev/null
+++ b/resources/extruders/hellbot_magna_SE_extruder.def.json
@@ -0,0 +1,18 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "hellbot_magna_SE",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": {
+ "default_value": 0,
+ "maximum_value": "1"
+ },
+ "machine_nozzle_size": { "default_value": 0.4 },
+ "material_diameter": { "default_value": 1.75 }
+ }
+}
diff --git a/resources/extruders/mixware_hyper_s_extruder_0.def.json b/resources/extruders/mixware_hyper_s_extruder_0.def.json
new file mode 100644
index 0000000000..09971ee688
--- /dev/null
+++ b/resources/extruders/mixware_hyper_s_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "mixware_hyper_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/sh65_extruder.def.json b/resources/extruders/sh65_extruder.def.json
new file mode 100644
index 0000000000..f01011e281
--- /dev/null
+++ b/resources/extruders/sh65_extruder.def.json
@@ -0,0 +1,21 @@
+{
+ "version": 2,
+ "name": "Extruder",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "sh65",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": {
+ "default_value": 0
+ },
+ "machine_nozzle_size": {
+ "default_value": 0.4
+ },
+ "material_diameter": {
+ "default_value": 1.75
+ }
+ }
+}
diff --git a/resources/extruders/stream30mk3_extruder.def.json b/resources/extruders/stream30mk3_extruder.def.json
new file mode 100644
index 0000000000..8a9bbfa1f9
--- /dev/null
+++ b/resources/extruders/stream30mk3_extruder.def.json
@@ -0,0 +1,21 @@
+{
+ "version": 2,
+ "name": "Extruder",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "stream30mk3",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": {
+ "default_value": 0
+ },
+ "machine_nozzle_size": {
+ "default_value": 0.4
+ },
+ "material_diameter": {
+ "default_value": 1.75
+ }
+ }
+}
diff --git a/resources/extruders/stream30ultrasc2_extruder.def.json b/resources/extruders/stream30ultrasc2_extruder.def.json
new file mode 100644
index 0000000000..56c34a34e1
--- /dev/null
+++ b/resources/extruders/stream30ultrasc2_extruder.def.json
@@ -0,0 +1,21 @@
+{
+ "version": 2,
+ "name": "Extruder",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "stream30ultrasc2",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": {
+ "default_value": 0
+ },
+ "machine_nozzle_size": {
+ "default_value": 0.4
+ },
+ "material_diameter": {
+ "default_value": 1.75
+ }
+ }
+}
diff --git a/resources/extruders/xyzprinting_base_extruder_0.def.json b/resources/extruders/xyzprinting_base_extruder_0.def.json
new file mode 100644
index 0000000000..0a04c63103
--- /dev/null
+++ b/resources/extruders/xyzprinting_base_extruder_0.def.json
@@ -0,0 +1,16 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_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/xyzprinting_da_vinci_1p0_pro_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_1p0_pro_extruder_0.def.json
new file mode 100644
index 0000000000..22010de7d7
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_1p0_pro_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_1p0_pro",
+ "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/xyzprinting_da_vinci_jr_1p0a_pro_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_jr_1p0a_pro_extruder_0.def.json
new file mode 100644
index 0000000000..4e9d0c8ad0
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_jr_1p0a_pro_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_jr_1p0a_pro",
+ "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/xyzprinting_da_vinci_jr_pro_xeplus_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_jr_pro_xeplus_extruder_0.def.json
new file mode 100644
index 0000000000..9ac465dda4
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_jr_pro_xeplus_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_jr_pro_xeplus",
+ "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/xyzprinting_da_vinci_jr_pro_xplus_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_jr_pro_xplus_extruder_0.def.json
new file mode 100644
index 0000000000..ce653eeedd
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_jr_pro_xplus_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_jr_pro_xplus",
+ "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/xyzprinting_da_vinci_jr_w_pro_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_jr_w_pro_extruder_0.def.json
new file mode 100644
index 0000000000..6b1a23da45
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_jr_w_pro_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_jr_w_pro",
+ "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/xyzprinting_da_vinci_super_extruder_0.def.json b/resources/extruders/xyzprinting_da_vinci_super_extruder_0.def.json
new file mode 100644
index 0000000000..e414746665
--- /dev/null
+++ b/resources/extruders/xyzprinting_da_vinci_super_extruder_0.def.json
@@ -0,0 +1,15 @@
+{
+ "version": 2,
+ "name": "Extruder 1",
+ "inherits": "fdmextruder",
+ "metadata": {
+ "machine": "xyzprinting_da_vinci_super",
+ "position": "0"
+ },
+
+ "overrides": {
+ "extruder_nr": { "default_value": 0 },
+ "machine_nozzle_size": { "default_value": 0.4 },
+ "material_diameter": { "default_value": 1.75 }
+ }
+}
diff --git a/resources/i18n/cs_CZ/cura.po b/resources/i18n/cs_CZ/cura.po
index f71ed9ef12..cacf645da6 100644
--- a/resources/i18n/cs_CZ/cura.po
+++ b/resources/i18n/cs_CZ/cura.po
@@ -5,9 +5,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
"PO-Revision-Date: 2021-04-04 15:31+0200\n"
"Last-Translator: Miroslav Šustek \n"
"Language-Team: DenyCZ \n"
@@ -18,212 +18,449 @@ msgstr ""
"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n>=2 && n<=4 ? 1 : 2);\n"
"X-Generator: Poedit 2.4.2\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Neznámý"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
+msgstr "Nelze vytvořit archiv ze složky s uživatelskými daty: {}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
-msgstr "Níže uvedené tiskárny nelze připojit, protože jsou součástí skupiny"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
+msgstr "Záloha"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
-msgstr "Dostupné síťové tiskárny"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
+msgstr "Pokusil se obnovit zálohu Cura bez nutnosti správných dat nebo metadat."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
-msgstr "Nepřepsáno"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr "Pokusil se obnovit zálohu Cura, která je vyšší než aktuální verze."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr "Během obnovení zálohy Cura se vyskytly následující chyby:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr "Prosím synchronizujte před začátkem tisku materiálové profily s vašimi tiskárnami."
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr "Byly nainstalovány nové materiály"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr "Synchronizovat materiály s tiskárnami"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr "Zjistit více"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr "Nelze uložit archiv s materiálem do {}:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr "Nepodařilo se uložit archiv s materiálem"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "Výška podložky byla snížena kvůli hodnotě nastavení „Sekvence tisku“, aby se zabránilo kolizi rámu s tištěnými modely."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Podložka"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr "Doopravdy chcete odstranit {0}? Toto nelze vrátit zpět!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr "Nepřepsáno"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Neznámý"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr "Níže uvedené tiskárny nelze připojit, protože jsou součástí skupiny"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr "Dostupné síťové tiskárny"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr "Výchozí"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr "Vizuální"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr "Vizuální profil je navržen pro tisk vizuálních prototypů a modelů s cílem vysoké vizuální a povrchové kvality."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr "Technika"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr "Inženýrský profil je navržen pro tisk funkčních prototypů a koncových částí s cílem lepší přesnosti a bližších tolerancí."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr "Návrh"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr "Návrhový profil je navržen pro tisk počátečních prototypů a ověření koncepce s cílem podstatného zkrácení doby tisku."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr "Zjistit více"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Vlastní materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Vlastní"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Vlastní profily"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Všechny podporované typy ({0})"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Všechny soubory (*)"
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr "Vizuální"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr "Vizuální profil je navržen pro tisk vizuálních prototypů a modelů s cílem vysoké vizuální a povrchové kvality."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr "Technika"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr "Inženýrský profil je navržen pro tisk funkčních prototypů a koncových částí s cílem lepší přesnosti a bližších tolerancí."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr "Návrh"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr "Návrhový profil je navržen pro tisk počátečních prototypů a ověření koncepce s cílem podstatného zkrácení doby tisku."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Vlastní materiál"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Vlastní"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr "Přihlášení selhalo"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Hledám nové umístění pro objekt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Hledám umístění"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "Nemohu najít lokaci na podložce pro všechny objekty"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "Nemohu najít umístění"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr "Nelze vytvořit archiv ze složky s uživatelskými daty: {}"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr "Záloha"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr "Pokusil se obnovit zálohu Cura bez nutnosti správných dat nebo metadat."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr "Pokusil se obnovit zálohu Cura, která je vyšší než aktuální verze."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
-msgstr "Během obnovení zálohy Cura se vyskytly následující chyby:"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Načítám zařízení..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr "Nastavuji preference..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr "Inicializuji aktivní zařízení..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr "Inicializuji správce zařízení..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr "Inicializuji prostor podložky..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Připravuji scénu..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Načítám rozhraní..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr "Inicializuji engine..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "Výška podložky byla snížena kvůli hodnotě nastavení „Sekvence tisku“, aby se zabránilo kolizi rámu s tištěnými modely."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Současně lze načíst pouze jeden soubor G-kódu. Přeskočen import {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Podložka"
+msgid "Warning"
+msgstr "Varování"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "Nelze otevřít žádný jiný soubor, když se načítá G kód. Přeskočen import {0}"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Chyba"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr "Přeskočit"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Zavřít"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr "Další"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr "Dokončit"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Přidat"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Zrušit"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr "Skupina #{group_nr}"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Vnější stěna"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Vnitřní stěna"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Skin"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Výplň"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Výplň podpor"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Rozhraní podpor"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Podpora"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Límec"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr "Hlavní věž"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Pohyb"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Retrakce"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Jiné"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr "Poznámky k vydání nelze otevřít."
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr "Cura nelze spustit"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -238,32 +475,32 @@ msgstr ""
" Za účelem vyřešení problému nám prosím pošlete tento záznam pádu.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr "Poslat záznam o pádu do Ultimakeru"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr "Zobrazit podrobný záznam pádu"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr "Zobrazit složku s konfigurací"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr "Zálohovat a resetovat konfiguraci"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Záznam pádu"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -274,702 +511,641 @@ msgstr ""
" Použijte tlačítko „Odeslat zprávu“ k automatickému odeslání hlášení o chybě na naše servery
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr "Systémové informace"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr "Neznámý"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr "Verze Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr "Jazyk Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr "Jazyk operačního systému"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr "Platforma"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr "Verze Qt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr "Verze PyQt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr "OpenGL"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr "Neinicializováno
"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr "Verze OpenGL: {version}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr "OpenGL Vendor: {vendor}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr "OpenGL Renderer: {renderer}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr "Stopování chyby"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr "Protokoly"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr "Odeslat záznam"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Načítám zařízení..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr "Nastavuji preference..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr "Inicializuji aktivní zařízení..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr "Inicializuji správce zařízení..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr "Inicializuji prostor podložky..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Připravuji scénu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Načítám rozhraní..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr "Inicializuji engine..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Současně lze načíst pouze jeden soubor G-kódu. Přeskočen import {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Varování"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "Nelze otevřít žádný jiný soubor, když se načítá G kód. Přeskočen import {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Chyba"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Násobím a rozmisťuji objekty"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr "Umisťuji objekty"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Umisťuji objekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr "Nelze přečíst odpověď."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr "Poskytnutý stav není správný."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr "Při autorizaci této aplikace zadejte požadovaná oprávnění."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr "Při pokusu o přihlášení se stalo něco neočekávaného, zkuste to znovu."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr "Nepodařilo se mi spustit nový proces přihlášení. Zkontrolujte, zda nějaký jiný již neběží."
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr "Nelze se dostat na server účtu Ultimaker."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr "Poskytnutý stav není správný."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr "Při autorizaci této aplikace zadejte požadovaná oprávnění."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr "Při pokusu o přihlášení se stalo něco neočekávaného, zkuste to znovu."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr "Nelze přečíst odpověď."
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Násobím a rozmisťuji objekty"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr "Umisťuji objekty"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Umisťuji objekt"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr "Nepodporovaný"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr "Výchozí"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Tryska"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr "Nastavení byla změněna, aby odpovídala aktuální dostupnosti extruderů:"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr "Nastavení aktualizováno"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr "Extruder(y) zakázány"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Soubor již existuje"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "Soubor {0} již existuje. Opravdu jej chcete přepsat?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr "Špatná cesta k souboru:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "Nepodařilo se exportovat profil do {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "Export profilu do {0} se nezdařil: Zapisovací zásuvný modul ohlásil chybu."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Exportován profil do {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr "Export úspěšný"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr "Nepodařilo se importovat profil z {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr "Nemohu přidat profil z {0} před tím, než je přidána tiskárna."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr "V souboru {0} není k dispozici žádný vlastní profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr "Import profilu z {0} se nezdařil:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr "Tento profil {0} obsahuje nesprávná data, nemohl je importovat."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr "Import profilu z {0} se nezdařil:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr "Úspěšně importován profil {0}."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr "Soubor {0} neobsahuje žádný platný profil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "Profil {0} má neznámý typ souboru nebo je poškozen."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Vlastní profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "V profilu chybí typ kvality."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr "Zatím neexistuje aktivní tiskárna."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr "Nepovedlo se přidat profil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr "Typ kvality '{0}' není kompatibilní s definicí '{1}' aktivního zařízení."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr "Varování: Profil není viditelný, protože typ kvality '{0}' není dostupný pro aktuální konfiguraci. Přepněte na kombinaci materiálu a trysky, která může být použita s tímto typem kvality."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr "Nepodporovaný"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr "Výchozí"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Tryska"
+msgid "Per Model Settings"
+msgstr "Nastavení pro každý model"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
-msgstr "Nastavení byla změněna, aby odpovídala aktuální dostupnosti extruderů:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Konfigurovat nastavení pro každý model"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Cura profil"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "Soubor X3D"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr "Nastala chyba při pokusu obnovit vaši zálohu."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
-msgstr "Nastavení aktualizováno"
+msgid "Backups"
+msgstr "Zálohy"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
-msgstr "Extruder(y) zakázány"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
+msgstr "Nastala chyba při nahrávání vaší zálohy."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Přidat"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
+msgstr "Vytvářím zálohu..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
-msgstr "Dokončit"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr "Nastala chyba při vytváření zálohy."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Zrušit"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr "Nahrávám vaši zálohu..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr "Vaše záloha byla úspěšně nahrána."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr "Záloha překračuje maximální povolenou velikost soubor."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr "Spravovat zálohy"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Nastavení zařízení"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr "Blokovač podpor"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr "Vytvořit prostor ve kterém nejsou tištěny podpory."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Vyměnitelná jednotka"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Uložit na vyměnitelný disk"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
-msgstr "Skupina #{group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Uložit na vyměnitelný disk {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Vnější stěna"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
+msgstr "Nejsou k dispozici žádné formáty souborů pro zápis!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Vnitřní stěna"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Ukládám na vyměnitelný disk {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Skin"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Výplň"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Výplň podpor"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Rozhraní podpor"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Podpora"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Límec"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr "Hlavní věž"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Pohyb"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Retrakce"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Jiné"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr "Poznámky k vydání nelze otevřít."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr "Další"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr "Přeskočit"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Zavřít"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
-msgstr "Asistent 3D modelu"
+msgid "Saving"
+msgstr "Ukládám"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "Nemohu uložit na {0}: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "Při pokusu o zápis do zařízení {device} nebyl nalezen název souboru."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability.
\n"
-"View print quality guide
"
-msgstr ""
-" Jeden nebo více 3D modelů se nemusí tisknout optimálně kvůli velikosti modelu a konfiguraci materiálu:
\n"
-" {model_names}
\n"
-" Zjistěte, jak zajistit nejlepší možnou kvalitu a spolehlivost tisku.
\n"
-" Zobrazit průvodce kvalitou tisku
"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "Nelze uložit na vyměnitelnou jednotku {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Ukládám na vyměnitelnou jednotku {0} jako {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Soubor uložen"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Vysunout"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "Vysunout vyměnitelnou jednotku {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "Vysunuto {0}. Nyní můžete bezpečně vyjmout jednotku."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Bezpečně vysunout hardware"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "Nepodařilo se vysunout {0}. Jednotku může používat jiný program."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr "Aktualizovat firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Profily Cura 15.04"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Doporučeno"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Vlastní"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
msgstr "Projektový soubor {0} obsahuje neznámý typ zařízení {1}. Nelze importovat zařízení. Místo toho budou importovány modely."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr "Otevřít soubor s projektem"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is suddenly inaccessible: {1}."
msgstr "Soubor projektu {0} je neočekávaně nedostupný: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr "Nepovedlo se otevřít soubor projektu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is corrupt: {1}."
msgstr "Soubor projektu {0} je poškozený: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
msgstr "Soubor projektu {0} je vytvořený profily, které jsou této verzi Ultimaker Cura neznámé."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Doporučeno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Vlastní"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr "Soubor 3MF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
-msgstr "Plugin 3MF Writer je poškozen."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
+msgstr "Nemohu zapsat do UFP souboru:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr "Nemáte oprávnění zapisovat do tohoto pracovního prostoru."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr "Operační systém nepovoluje uložit soubor s projektem do tohoto umístění nebo pod tímto názvem."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr "Chyba při zápisu 3mf file."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "Soubor 3MF"
+msgid "Ultimaker Format Package"
+msgstr "Balíček ve formátu Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Soubor Cura Project 3MF"
+msgid "G-code File"
+msgstr "Soubor G-kódu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr "Soubor AMF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr "Zálohy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr "Nastala chyba při nahrávání vaší zálohy."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr "Vytvářím zálohu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr "Nastala chyba při vytváření zálohy."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr "Nahrávám vaši zálohu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr "Vaše záloha byla úspěšně nahrána."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr "Záloha překračuje maximální povolenou velikost soubor."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr "Nastala chyba při pokusu obnovit vaši zálohu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
-msgstr "Spravovat zálohy"
+msgid "Preview"
+msgstr "Náhled"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Rentgenový pohled"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Zpracovávám vrstvy"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Informace"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
msgstr "Slicování selhalo na neočekávané chybě. Zvažte, prosím, nahlášení chyby v našem issue trackeru."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr "Slicování selhalo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr "Nahlásit chybu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr "Nahlásit chybu v Ultimaker Cura issue trackeru."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
msgstr "Nelze slicovat s aktuálním materiálem, protože je nekompatibilní s vybraným strojem nebo konfigurací."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr "Nelze slicovat"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice with the current settings. The following settings have errors: {0}"
msgstr "S aktuálním nastavením nelze slicovat. Následující nastavení obsahuje chyby: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
msgstr "Nelze slicovat kvůli některým nastavení jednotlivých modelů. Následující nastavení obsahuje chyby na jednom nebo více modelech: {error_labels}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid "Unable to slice because the prime tower or prime position(s) are invalid."
msgstr "Nelze slicovat, protože hlavní věž nebo primární pozice jsou neplatné."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid "Unable to slice because there are objects associated with disabled Extruder %s."
msgstr "Nelze slicovat, protože jsou zde objekty asociované k zakázanému extruder %s."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -982,462 +1158,423 @@ msgstr ""
"- Jsou přiřazeny k povolenému extruderu\n"
"- Nejsou nastavené jako modifikační sítě"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Zpracovávám vrstvy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Informace"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Cura profil"
+msgid "AMF File"
+msgstr "Soubor AMF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr "Kompresovaný soubor G kódu"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr "Post Processing"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr "Modifikovat G kód"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "USB tisk"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Tisk přes USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Tisk přes USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Připojeno přes USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr "Probíhá tisk přes USB, uzavření Cura tento tisk zastaví. Jsi si jistá?"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr "Tisk stále probíhá. Cura nemůže spustit další tisk přes USB, dokud není předchozí tisk dokončen."
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr "Probíhá tisk"
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr "Příprava"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "Zpracovávám G kód"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "Podrobnosti G kódu"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Před odesláním souboru se ujistěte, že je g-kód vhodný pro vaši tiskárnu a konfiguraci tiskárny. Reprezentace g-kódu nemusí být přesná."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "G soubor"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "Obrázek JPG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "Obrázek JPEG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "Obrázek PNG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "Obrázek BMP"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "Obrázek GIF"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Vyrovnat podložku"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Vybrat vylepšení"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr "GCodeGzWriter nepodporuje textový mód."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr "Nemohu načíst informace o aktualizaci."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
msgstr "K dispozici mohou být nové funkce nebo opravy chyb pro zařízení {machine_name}! Pokud jste tak už neučinili, je doporučeno zaktualizovat firmware vaší tiskárny na verzi {latest_version}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr "Nový stabilní firmware je k dispozici pro %s"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr "Jak aktualizovat"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr "Aktualizovat firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr "Kompresovaný soubor G kódu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr "GCodeGzWriter nepodporuje textový mód."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "Soubor G-kódu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "Zpracovávám G kód"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "Podrobnosti G kódu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Před odesláním souboru se ujistěte, že je g-kód vhodný pro vaši tiskárnu a konfiguraci tiskárny. Reprezentace g-kódu nemusí být přesná."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "G soubor"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr "GCodeWriter nepodporuje netextový mód."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr "Před exportem prosím připravte G-kód."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "Obrázek JPG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "Obrázek JPEG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "Obrázek PNG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "Obrázek BMP"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "Obrázek GIF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Profily Cura 15.04"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Nastavení zařízení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr "Monitorování"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Nastavení pro každý model"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Konfigurovat nastavení pro každý model"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr "Post Processing"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr "Modifikovat G kód"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr "Příprava"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr "Náhled"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Uložit na vyměnitelný disk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Uložit na vyměnitelný disk {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr "Nejsou k dispozici žádné formáty souborů pro zápis!"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Ukládám na vyměnitelný disk {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Ukládám"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "Nemohu uložit na {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "Při pokusu o zápis do zařízení {device} nebyl nalezen název souboru."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "Nelze uložit na vyměnitelnou jednotku {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Ukládám na vyměnitelnou jednotku {0} jako {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Soubor uložen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Vysunout"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "Vysunout vyměnitelnou jednotku {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "Vysunuto {0}. Nyní můžete bezpečně vyjmout jednotku."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Bezpečně vysunout hardware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "Nepodařilo se vysunout {0}. Jednotku může používat jiný program."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Vyměnitelná jednotka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr "Když je aktivován síťový tisk, Cura přesně nezobrazuje vrstvy."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr "Pohled simulace"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr "Nic není zobrazeno, nejdříve musíte slicovat."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr "Žádné vrstvy k zobrazení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr "Znovu nezobrazovat tuto zprávu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Pohled vrstev"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr "Nelze načíst ukázkový datový soubor."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr "Zvýrazněné oblasti označují chybějící nebo vedlejší povrchy. Opravte váš model a otevřete jej znovu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr "Chyby modelu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Pevný pohled"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr "Blokovač podpor"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr "Vytvořit prostor ve kterém nejsou tištěny podpory."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr "Chcete synchronizovat materiál a softwarové balíčky s vaším účtem?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr "Zjištěny změny z vašeho účtu Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr "Synchronizovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr "Synchronizuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr "Odmítnout"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr "Přijmout"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Licenční ujednání zásuvného modulu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr "Odmítnout a odstranit z účtu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr "Než se změny projeví, musíte ukončit a restartovat {}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr "Synchronizuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr "Zjištěny změny z vašeho účtu Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr "Chcete synchronizovat materiál a softwarové balíčky s vaším účtem?"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr "Synchronizovat"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr "Odmítnout a odstranit z účtu"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr "Nepovedlo se stáhnout {} zásuvných modulů"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
-msgstr "Open Compressed Triangle Mesh"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
+msgstr "Odmítnout"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr "Přijmout"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Licenční ujednání zásuvného modulu"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr "GCodeWriter nepodporuje netextový mód."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr "Před exportem prosím připravte G-kód."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr "Když je aktivován síťový tisk, Cura přesně nezobrazuje vrstvy."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr "Pohled simulace"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr "Nic není zobrazeno, nejdříve musíte slicovat."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr "Žádné vrstvy k zobrazení"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr "Znovu nezobrazovat tuto zprávu"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange"
+msgid "Layer view"
+msgstr "Pohled vrstev"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
-msgstr "gITF binární soubor"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Tisk přes síť"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
-msgstr "glTF Embedded JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Tisk přes síť"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr "Stanford Triangle Format"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
+msgstr "Připojeno přes síť"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr "Kompresovaný COLLADA Digital Asset Exchenge"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
+msgstr "zítra"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr "Balíček ve formátu Ultimaker"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
+msgstr "dnes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr "Nemohu zapsat do UFP souboru:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
-msgstr "Vyrovnat podložku"
+msgid "Connect via Network"
+msgstr "Připojit přes síť"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr "Počkejte, až bude odeslána aktuální úloha."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr "Chyba tisku"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr "Tisková úloha byla úspěšně odeslána do tiskárny."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr "Data poslána"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr "Pokoušíte se připojit k tiskárně, na které není spuštěna aplikace Ultimaker Connect. Aktualizujte tiskárnu na nejnovější firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr "Aktualizujte vaší tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr "Fronta tiskových úloh je plná. Tiskárna nemůže přijmout další úlohu."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr "Fronta je plná"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr "Odesílám tiskovou úlohu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr "Nahrávám tiskovou úlohu do tiskárny."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr "Cura zjistil materiálové profily, které ještě nebyly nainstalovány na hostitelské tiskárně skupiny {0}."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr "Odesílání materiálů do tiskárny"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr "Nemohu nahrát data do tiskárny."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr "Chyba sítě"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr "Pokoušíte se připojit k {0}, ale není hostitelem skupiny. Webovou stránku můžete navštívit a nakonfigurovat ji jako skupinového hostitele."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr "Není hostem skupiny"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Vybrat vylepšení"
+msgid "Configure group"
+msgstr "Konfigurovat skupinu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+"Vaše tiskárna {printer_name} může být připojena přes cloud.\n"
+" Spravujte vaši tiskovou frontu a sledujte tisk odkudkoliv připojením vaší tiskárny k Digital Factory"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr "Jste připraveni na tisk přes cloud?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr "Začínáme"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr "Zjistit více"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr "Tisknout přes cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr "Tisknout přes cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr "Připojen přes cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr "Sledovat tisk"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr "Sledujte tisk v Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr "Při nahrávání tiskové úlohy došlo k chybě s neznámým kódem: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
@@ -1445,13 +1582,13 @@ msgstr[0] "Z vašeho Ultimaker účtu byla detekována nová tiskárna"
msgstr[1] "Z vašeho Ultimaker účtu byly detekovány nové tiskárny"
msgstr[2] "Z vašeho Ultimaker účtu byly detekovány nové tiskárny"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr "Přidávám tiskárnu {name} ({model}) z vašeho účtu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1460,12 +1597,12 @@ msgstr[0] "... a {0} další"
msgstr[1] "... a {0} další"
msgstr[2] "... a {0} dalších"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr "Tiskárny přidané z Digital Factory:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
@@ -1473,7 +1610,7 @@ msgstr[0] "Pro tuto tiskárnu není připojení přes cloud dostupné"
msgstr[1] "Pro tyto tiskárny není připojení přes cloud dostupné"
msgstr[2] "Pro tyto tiskárny není připojení přes cloud dostupné"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
@@ -1481,52 +1618,52 @@ msgstr[0] "Tato tiskárna není napojena na Digital Factory:"
msgstr[1] "Tyto tiskárny nejsou napojeny na Digital Factory:"
msgstr[2] "Tyto tiskárny nejsou napojeny na Digital Factory:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr "Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr "Chcete-li navázat spojení, navštivte {website_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr "Zachovat konfiguraci tiskárny"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr "Odstranit tiskárnu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr "Tiskárna {printer_name} bude odebrána až do další synchronizace účtu."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr "Chcete-li tiskárnu {printer_name} trvale odebrat, navštivte {digital_factory_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr "Opravdu chcete tiskárnu {printer_name} dočasně odebrat?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr "Odstranit tiskárny?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1545,7 +1682,7 @@ msgstr[2] ""
"Chystáte se odebrat {0} tiskáren z Cury. Tuto akci nelze vrátit zpět.\n"
"Doopravdy chcete pokračovat?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be undone.\n"
@@ -1554,273 +1691,579 @@ msgstr ""
"Chystáte se odebrat všechny tiskárny z Cury. Tuto akci nelze vrátit zpět.\n"
"Doopravdy chcete pokračovat?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr "Open Compressed Triangle Mesh"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr "gITF binární soubor"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr "glTF Embedded JSON"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr "Stanford Triangle Format"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr "Kompresovaný COLLADA Digital Asset Exchenge"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr "Zvýrazněné oblasti označují chybějící nebo vedlejší povrchy. Opravte váš model a otevřete jej znovu."
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr "Chyby modelu"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Pevný pohled"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr "Chyba při zápisu 3mf file."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr "Plugin 3MF Writer je poškozen."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr "Nemáte oprávnění zapisovat do tohoto pracovního prostoru."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr "Operační systém nepovoluje uložit soubor s projektem do tohoto umístění nebo pod tímto názvem."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "Soubor 3MF"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Soubor Cura Project 3MF"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr "Monitorování"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr "Asistent 3D modelu"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability.
\n"
+"View print quality guide
"
msgstr ""
+" Jeden nebo více 3D modelů se nemusí tisknout optimálně kvůli velikosti modelu a konfiguraci materiálu:
\n"
+" {model_names}
\n"
+" Zjistěte, jak zajistit nejlepší možnou kvalitu a spolehlivost tisku.
\n"
+" Zobrazit průvodce kvalitou tisku
"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr "Začínáme"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr "Pokoušíte se připojit k tiskárně, na které není spuštěna aplikace Ultimaker Connect. Aktualizujte tiskárnu na nejnovější firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr "Aktualizujte vaší tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr "Cura zjistil materiálové profily, které ještě nebyly nainstalovány na hostitelské tiskárně skupiny {0}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr "Odesílání materiálů do tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr "Pokoušíte se připojit k {0}, ale není hostitelem skupiny. Webovou stránku můžete navštívit a nakonfigurovat ji jako skupinového hostitele."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr "Není hostem skupiny"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr "Konfigurovat skupinu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr "Počkejte, až bude odeslána aktuální úloha."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr "Chyba tisku"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr "Nemohu nahrát data do tiskárny."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr "Chyba sítě"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr "Odesílám tiskovou úlohu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr "Nahrávám tiskovou úlohu do tiskárny."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr "Fronta tiskových úloh je plná. Tiskárna nemůže přijmout další úlohu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr "Fronta je plná"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr "Tisková úloha byla úspěšně odeslána do tiskárny."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr "Data poslána"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Tisk přes síť"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Tisk přes síť"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr "Připojeno přes síť"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Připojit přes síť"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr "zítra"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr "dnes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "USB tisk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Tisk přes USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Tisk přes USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Připojeno přes USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
-msgstr "Probíhá tisk přes USB, uzavření Cura tento tisk zastaví. Jsi si jistá?"
+msgid "Mesh Type"
+msgstr "Typ síťového modelu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
-msgstr "Tisk stále probíhá. Cura nemůže spustit další tisk přes USB, dokud není předchozí tisk dokončen."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
+msgstr "Normální model"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
-msgstr "Probíhá tisk"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
+msgstr "Tisknout jako podporu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr "Upravte nastavení překrývání"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr "Nepodporovat překrývání"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "Soubor X3D"
+msgid "Infill mesh only"
+msgstr "Pouze síť výplně"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Rentgenový pohled"
+msgid "Cutting mesh"
+msgstr "Síť řezu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
-msgstr "Některé věci mohou být v tomto tisku problematické. Kliknutím zobrazíte tipy pro úpravy."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
+msgctxt "@action:button"
+msgid "Select settings"
+msgstr "Vybrat nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "Vybrat nastavení k přizpůsobení pro tento model"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Filtrovat..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Zobrazit vše"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr "Cura zálohy"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr "Cura verze"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr "Zařízení"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr "Materiály"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr "Profily"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr "Zásuvné moduly"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr "Chcete více?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr "Zálohovat nyní"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr "Automatické zálohy"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr "Automaticky vytvořte zálohu každý den, kdy je spuštěna Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr "Obnovit"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr "Odstranit zálohu"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr "Opravdu chcete tuto zálohu smazat? To nelze vrátit zpět."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr "Obnovit zálohu"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr "Před obnovením zálohy budete muset restartovat Curu. Chcete nyní Curu zavřít?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr "Zálohovat a synchronizovat vaše nastavení Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr "Přihlásit se"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr "Moje zálohy"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr "Momentálně nemáte žádné zálohy. Pomocí tlačítka 'Zálohovat nyní' vytvořte."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr "Během fáze náhledu budete omezeni na 5 viditelných záloh. Chcete-li zobrazit starší, odstraňte zálohu."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr "Nastavení tiskárny"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (Šířka)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (Hloubka)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (Výška)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Tvar tiskové podložky"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr "Počátek ve středu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr "Topná podložka"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr "Vyhřívaný objem sestavení"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr "Varianta G kódu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr "Nastavení tiskové hlavy"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr "Výška rámu tiskárny"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Počet extrůderů"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr "Aplikovat offsety extruderu do G kódu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr "Počáteční G kód"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr "Ukončující G kód"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr "Nastavení trysky"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Velikost trysky"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr "Kompatibilní průměr materiálu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "X offset trysky"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Y offset trysky"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr "Číslo chladícího větráku"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr "Počáteční G-kód extuderu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr "Ukončující G-kód extuderu"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Tiskárna"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
+msgid "Update Firmware"
+msgstr "Aktualizovat firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+msgctxt "@label"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "Firmware je software běžící přímo na vaší 3D tiskárně. Tento firmware řídí krokové motory, reguluje teplotu a v konečném důsledku zajišťuje vaši práci tiskárny."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+msgctxt "@label"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "Dodávání firmwaru s novými tiskárnami funguje, ale nové verze mají obvykle více funkcí a vylepšení."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+msgctxt "@action:button"
+msgid "Automatically upgrade Firmware"
+msgstr "Automaticky aktualizovat firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Nahrát vlastní firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr "Firmware nelze aktualizovat, protože není spojeno s tiskárnou."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr "Firmware nelze aktualizovat, protože připojení k tiskárně nepodporuje aktualizaci firmwaru."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+msgctxt "@title:window"
+msgid "Select custom firmware"
+msgstr "Vybrat vlastní firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+msgctxt "@title:window"
+msgid "Firmware Update"
+msgstr "Aktualizace firmwaru"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+msgctxt "@label"
+msgid "Updating firmware."
+msgstr "Aktualizuji firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+msgctxt "@label"
+msgid "Firmware update completed."
+msgstr "Aktualizace firmwaru kompletní."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+msgctxt "@label"
+msgid "Firmware update failed due to an unknown error."
+msgstr "Aktualizace firmwaru selhala kvůli neznámému problému."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "Aktualizace firmwaru selhala kvůli chybě v komunikaci."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "Aktualizace firmwaru selhala kvůli chybě vstupu / výstupu."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "Aktualizace firmwaru selhala kvůli chybějícímu firmwaru."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Otevřit projekt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr "Aktualizovat existující"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr "Vytvořit nový"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Souhrn - Projekt Cura"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Nastavení tiskárny"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "Jak by měl být problém v zařízení vyřešen?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Typ"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr "Skupina tiskárny"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Nastavení profilu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "Jak by měl být problém v profilu vyřešen?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Název"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr "Záměr"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "Není v profilu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
@@ -1828,12 +2271,12 @@ msgstr[0] "%1 přepsání"
msgstr[1] "%1 přepsání"
msgstr[2] "%1 přepsání"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Derivát z"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
@@ -1841,484 +2284,1049 @@ msgstr[0] "%1, %2 override"
msgstr[1] "%1, %2 overrides"
msgstr[2] "%1, %2 overrides"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Nastavení materiálu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "Jak by měl být problém v materiálu vyřešen?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Nastavení zobrazení"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Mód"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Viditelná zařízení:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1 z %2"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr "Nahrání projektu vymaže všechny modely na podložce."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Otevřít"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr "Chcete více?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr "Zálohovat nyní"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr "Automatické zálohy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr "Automaticky vytvořte zálohu každý den, kdy je spuštěna Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr "Obnovit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr "Odstranit zálohu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr "Opravdu chcete tuto zálohu smazat? To nelze vrátit zpět."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr "Obnovit zálohu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr "Před obnovením zálohy budete muset restartovat Curu. Chcete nyní Curu zavřít?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr "Cura verze"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr "Zařízení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr "Materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr "Profily"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr "Zásuvné moduly"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr "Cura zálohy"
+msgid "Post Processing Plugin"
+msgstr "Zásuvný balíček Post Processing"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr "Moje zálohy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr "Momentálně nemáte žádné zálohy. Pomocí tlačítka 'Zálohovat nyní' vytvořte."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr "Během fáze náhledu budete omezeni na 5 viditelných záloh. Chcete-li zobrazit starší, odstraňte zálohu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr "Zálohovat a synchronizovat vaše nastavení Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr "Přihlásit se"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr "Aktualizovat firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "Firmware je software běžící přímo na vaší 3D tiskárně. Tento firmware řídí krokové motory, reguluje teplotu a v konečném důsledku zajišťuje vaši práci tiskárny."
+msgid "Post Processing Scripts"
+msgstr "Skripty Post Processingu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Přidat skript"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "Dodávání firmwaru s novými tiskárnami funguje, ale nové verze mají obvykle více funkcí a vylepšení."
+msgid "Settings"
+msgstr "Nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Automaticky aktualizovat firmware"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr "Změnít aktivní post-processing skripty."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Nahrát vlastní firmware"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] "Následují skript je aktivní:"
+msgstr[1] "Následují skripty jsou aktivní:"
+msgstr[2] "Následují skripty jsou aktivní:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr "Firmware nelze aktualizovat, protože není spojeno s tiskárnou."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr "Firmware nelze aktualizovat, protože připojení k tiskárně nepodporuje aktualizaci firmwaru."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Vybrat vlastní firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Aktualizace firmwaru"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "Aktualizuji firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Aktualizace firmwaru kompletní."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "Aktualizace firmwaru selhala kvůli neznámému problému."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "Aktualizace firmwaru selhala kvůli chybě v komunikaci."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "Aktualizace firmwaru selhala kvůli chybě vstupu / výstupu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "Aktualizace firmwaru selhala kvůli chybějícímu firmwaru."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Konvertovat obrázek.."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "Maximální vzdálenost každého pixelu od „základny“."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Výška (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "Výška základny od podložky v milimetrech."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Základna (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "Šířka podložky v milimetrech."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Šířka (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "Hloubka podložky v milimetrech"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Hloubka (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr "U litofanů by tmavé pixely měly odpovídat silnějším místům, aby blokovaly více světla procházejícího. Pro výškové mapy znamenají světlejší pixely vyšší terén, takže světlejší pixely by měly odpovídat silnějším umístěním v generovaném 3D modelu."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "Tmavější je vyšší"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "Světlejší je vyšší"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr "Pro litofany je k dispozici jednoduchý logaritmický model pro průsvitnost. U výškových map odpovídají hodnoty pixelů lineárně výškám."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr "Lineární"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr "Průsvitnost"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr "Procento světla pronikajícího do tisku o tloušťce 1 milimetr. Snížení této hodnoty zvyšuje kontrast v tmavých oblastech a snižuje kontrast ve světlých oblastech obrazu."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr "1mm propustnost (%)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "Množství vyhlazení, které se použije na obrázek."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Vyhlazování"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
+msgctxt "@label"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Vyberte prosím všechny upgrady provedené v tomto originálu Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
+msgctxt "@label"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Vyhřívaná podložka (Oficiální kit, nebo vytvořená)"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Vyrovnávání podložky"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+msgctxt "@label"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Chcete-li se ujistit, že vaše výtisky vyjdou skvěle, můžete nyní sestavení své podložku. Když kliknete na „Přesunout na další pozici“, tryska se přesune do různých poloh, které lze upravit."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+msgctxt "@label"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Pro každou pozici; vložte kousek papíru pod trysku a upravte výšku tiskové desky. Výška desky pro sestavení tisku je správná, když je papír lehce uchopen špičkou trysky."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Spustit vyrovnání položky"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Přesunout na další pozici"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr "Další informace o anonymním shromažďování údajů"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu. Níže uvádíme příklad všech sdílených dat:"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr "Nechci posílat anonymní data"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr "Povolit zasílání anonymních dat"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr "Obchod"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr "Než se změny v balíčcích projeví, budete muset restartovat Curu."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr "Ukončit %1"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr "Nainstalovat"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Nainstalováno"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr "Premium"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr "Přejít na webový obchod"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr "Hledat materiály"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr "Kompatibilita"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr "Zařízení"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr "Podložka"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr "Podpora"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr "Kvalita"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr "Technický datasheet"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr "Datasheet bezpečnosti"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr "Zásady tisku"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr "Webová stránka"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr "K instalaci nebo aktualizaci je vyžadováno přihlášení"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr "Koupit cívky materiálu"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr "Aktualizace"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr "Aktualizuji"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr "Aktualizování"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr "Zpět"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Tiskárna"
+msgid "Plugins"
+msgstr "Zásuvné moduly"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr "Nastavení trysky"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Materiály"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr "Nainstalování"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Velikost trysky"
+msgid "Will install upon restarting"
+msgstr "Nainstaluje se po restartu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr "Pro aktualizace je potřeba se přihlásit"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr "Downgrade"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr "Odinstalace"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "mm"
-msgstr "mm"
+msgid "Community Contributions"
+msgstr "Soubory od komunity"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr "Kompatibilní průměr materiálu"
+msgid "Community Plugins"
+msgstr "Komunitní zásuvné moduly"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "X offset trysky"
+msgid "Generic Materials"
+msgstr "Obecné materiály"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr "Načítám balíčky..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Y offset trysky"
+msgid "Website"
+msgstr "Webová stránka"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr "Číslo chladícího větráku"
+msgid "Email"
+msgstr "Email"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr "Počáteční G-kód extuderu"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr "Přihlaste se, abyste získali ověřené pluginy a materiály pro Ultimaker Cura Enterprise"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr "Ukončující G-kód extuderu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr "Nastavení tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (Šířka)"
+msgid "Version"
+msgstr "Verze"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (Hloubka)"
+msgid "Last updated"
+msgstr "Naposledy aktualizování"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (Výška)"
+msgid "Brand"
+msgstr "Značka"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Tvar tiskové podložky"
+msgid "Downloads"
+msgstr "Ke stažení"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr "Nainstalovaná rozšíření"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr "Žádné rozšíření nebylo nainstalováno."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr "Nainstalované materiály"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr "Žádný materiál nebyl nainstalován."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr "Zabalená rozšíření"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr "Zabalené materiály"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr "Nelze se připojit k databázi balíčku Cura. Zkontrolujte připojení."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
msgctxt "@label"
-msgid "Origin at center"
-msgstr "Počátek ve středu"
+msgid "You need to accept the license to install the package"
+msgstr "Pro instalaci balíčku musíte přijmout licenční ujednání"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr "Změny z vašeho účtu"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr "Schovat"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr "Další"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
msgctxt "@label"
-msgid "Heated bed"
-msgstr "Topná podložka"
+msgid "The following packages will be added:"
+msgstr "Následující balíčky byly přidány:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
msgctxt "@label"
-msgid "Heated build volume"
-msgstr "Vyhřívaný objem sestavení"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr "Následující balíčky nelze nainstalovat z důvodu nekompatibilní verze Cura:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr "Potvrdit odinstalaci"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr "Odinstalujete materiály a / nebo profily, které se stále používají. Potvrzením resetujete následující materiály / profily na výchozí hodnoty."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr "Materiály"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr "Profily"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr "Potvrdit"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
msgctxt "@label"
-msgid "G-code flavor"
-msgstr "Varianta G kódu"
+msgid "Color scheme"
+msgstr "Barevné schéma"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr "Nastavení tiskové hlavy"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Barva materiálu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Typ úsečky"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr "Rychlost"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr "Tloušťka vrstvy"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr "Šířka čáry"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr "Průtok"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
msgctxt "@label"
-msgid "X min"
-msgstr "X min"
+msgid "Compatibility Mode"
+msgstr "Mód kompatibility"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
msgctxt "@label"
-msgid "Y min"
-msgstr "Y min"
+msgid "Travels"
+msgstr "Cesty"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
msgctxt "@label"
-msgid "X max"
-msgstr "X max"
+msgid "Helpers"
+msgstr "Pomocníci"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
msgctxt "@label"
-msgid "Y max"
-msgstr "Y max"
+msgid "Shell"
+msgstr "Shell"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
msgctxt "@label"
-msgid "Gantry Height"
-msgstr "Výška rámu tiskárny"
+msgid "Infill"
+msgstr "Výplň"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Počet extrůderů"
+msgid "Starts"
+msgstr "Začátky"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
-msgstr "Aplikovat offsety extruderu do G kódu"
+msgid "Only Show Top Layers"
+msgstr "Zobrazit jen vrchní vrstvy"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr "Počáteční G kód"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "Zobrazit 5 podrobných vrstev nahoře"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr "Ukončující G kód"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Nahoře / Dole"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Vnitřní stěna"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr "min"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr "max"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr "Spravovat tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr "Sklo"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr "Aktualizujte firmware tiskárny a spravujte frontu vzdáleně."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr "Vstup z webové kamery nemůže být pro cloudové tiskárny zobrazen v Ultimaker Cura. Klikněte na \"Spravovat tiskárnu\", abyste navštívili Ultimaker Digital Factory a zobrazili tuto webkameru."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr "Načítám..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr "Nedostupný"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr "Nedostupný"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr "Čekám"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr "Připravuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr "Tisknu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr "Bez názvu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr "Anonymní"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr "Jsou nutné změny v nastavení"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr "Podrobnosti"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr "Nedostupná tiskárna"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr "První dostupný"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "Zařazeno do fronty"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr "Spravovat v prohlížeči"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr "Ve frontě nejsou žádné tiskové úlohy. Slicujte a odesláním úlohy jednu přidejte."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr "Tiskové úlohy"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr "Celkový čas tisknutí"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr "Čekám na"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Tisk přes síť"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Tisk"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr "Výběr tiskárny"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr "Změny konfigurace"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr "Override"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:"
+msgstr[1] "Přiřazená tiskárna %1 vyžaduje následující změny akonfigurace:"
+msgstr[2] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr "Tiskárna %1 je přiřazena, ale úloha obsahuje neznámou konfiguraci materiálu."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr "Změnit materiál %1 z %2 na %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr "Načíst %3 jako materiál %1 (Toho nemůže být přepsáno)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr "Změnit jádro tisku %1 z %2 na %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr "Změnit podložku na %1 (Toto nemůže být přepsáno)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr "Přepsání použije zadaná nastavení s existující konfigurací tiskárny. To může vést k selhání tisku."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr "Hliník"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Dokončeno"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr "Ruším..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr "Zrušeno"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr "Pozastavuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr "Pozastaveno"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr "Obnovuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Akce vyžadována"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr "Dokončuji %1 z %2"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Připojte se k síťové tiskárně"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr "Chcete-li tisknout přímo na tiskárně prostřednictvím sítě, zkontrolujte, zda je tiskárna připojena k síti pomocí síťového kabelu nebo připojením tiskárny k síti WIFI. Pokud nepřipojíte Curu k tiskárně, můžete stále používat jednotku USB k přenosu souborů g-kódu do vaší tiskárny."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr "Vyberte svou tiskárnu z nabídky níže:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Upravit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Odstranit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Aktualizovat"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Pokud vaše tiskárna není uvedena, přečtěte si průvodce řešením problémů se síťovým tiskem "
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Typ"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Verze firmwaru"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Adresa"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr "Tato tiskárna není nastavena tak, aby hostovala skupinu tiskáren."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr "Tato tiskárna je hostitelem skupiny tiskáren %1."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "Tiskárna na této adrese dosud neodpověděla."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Připojit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr "Špatná IP adresa"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr "Prosím zadejte validní IP adresu."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Adresa tiskárny"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr "Vložte IP adresu vaší tiskárny na síti."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr "Přesunout nahoru"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr "Odstranit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr "Obnovit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr "Pozastavuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr "Obnovuji..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr "Pozastavit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr "Ruším..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr "Zrušit"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr "Doopravdy chcete posunout %1 na začátek fronty?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr "Přesunout tiskovou úlohu nahoru"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr "Doopravdy chcete odstranit %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr "Odstranit tiskovou úlohu"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr "Doopravdy chcete zrušit %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Zrušit tisk"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2331,1490 +3339,433 @@ msgstr ""
"- Zkontrolujte, zda je tiskárna připojena k síti.\n"
"- Zkontrolujte, zda jste přihlášeni k objevování tiskáren připojených k cloudu."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr "Připojte tiskárnu k síti."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr "Zobrazit online manuály"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr "Abyste mohli monitorovat tisk z Cury, připojte prosím tiskárnu."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr "Typ síťového modelu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr "Normální model"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr "Tisknout jako podporu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr "Upravte nastavení překrývání"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr "Nepodporovat překrývání"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr "Pouze síť výplně"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr "Síť řezu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Vybrat nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "Vybrat nastavení k přizpůsobení pro tento model"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Filtrovat..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Zobrazit vše"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Zásuvný balíček Post Processing"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Skripty Post Processingu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Přidat skript"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr "Změnít aktivní post-processing skripty."
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgstr "Některé věci mohou být v tomto tisku problematické. Kliknutím zobrazíte tipy pro úpravy."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] "Následují skript je aktivní:"
-msgstr[1] "Následují skripty jsou aktivní:"
-msgstr[2] "Následují skripty jsou aktivní:"
+msgid "3D View"
+msgstr "3D Pohled"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Barevné schéma"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Barva materiálu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Typ úsečky"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
-msgstr "Rychlost"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr "Tloušťka vrstvy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr "Šířka čáry"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr "Průtok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Mód kompatibility"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr "Cesty"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr "Pomocníci"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr "Shell"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Výplň"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr "Začátky"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Zobrazit jen vrchní vrstvy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "Zobrazit 5 podrobných vrstev nahoře"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Nahoře / Dole"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Vnitřní stěna"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr "min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr "max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr "Další informace o anonymním shromažďování údajů"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu. Níže uvádíme příklad všech sdílených dat:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr "Nechci posílat anonymní data"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr "Povolit zasílání anonymních dat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr "Zpět"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr "Kompatibilita"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr "Zařízení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr "Podložka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr "Podpora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr "Kvalita"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr "Technický datasheet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr "Datasheet bezpečnosti"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr "Zásady tisku"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr "Webová stránka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Nainstalováno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr "K instalaci nebo aktualizaci je vyžadováno přihlášení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr "Koupit cívky materiálu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr "Aktualizace"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr "Aktualizuji"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr "Aktualizování"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr "Premium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
-msgstr "Přejít na webový obchod"
+msgid "Front View"
+msgstr "Přední pohled"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr "Pohled seshora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr "Pohled zleva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr "Pohled zprava"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
-msgstr "Hledat materiály"
+msgid "Object list"
+msgstr "Seznam objektů"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr "Než se změny v balíčcích projeví, budete muset restartovat Curu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr "Ukončit %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr "Zásuvné moduly"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr "Nainstalování"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr "Nainstaluje se po restartu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr "Pro aktualizace je potřeba se přihlásit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr "Downgrade"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr "Odinstalace"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr "Nainstalovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr "Změny z vašeho účtu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr "Schovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr "Další"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr "Následující balíčky byly přidány:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr "Následující balíčky nelze nainstalovat z důvodu nekompatibilní verze Cura:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr "Potvrdit odinstalaci"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr "Odinstalujete materiály a / nebo profily, které se stále používají. Potvrzením resetujete následující materiály / profily na výchozí hodnoty."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr "Materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr "Profily"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr "Potvrdit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr "Pro instalaci balíčku musíte přijmout licenční ujednání"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr "Webová stránka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr "Email"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr "Verze"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr "Naposledy aktualizování"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Značka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr "Ke stažení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr "Soubory od komunity"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr "Komunitní zásuvné moduly"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr "Obecné materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr "Nelze se připojit k databázi balíčku Cura. Zkontrolujte připojení."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr "Nainstalovaná rozšíření"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr "Žádné rozšíření nebylo nainstalováno."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr "Nainstalované materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr "Žádný materiál nebyl nainstalován."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr "Zabalená rozšíření"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr "Zabalené materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr "Načítám balíčky..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr "Přihlaste se, abyste získali ověřené pluginy a materiály pro Ultimaker Cura Enterprise"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
msgstr "Obchod"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Vyrovnávání podložky"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "&Soubor"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Chcete-li se ujistit, že vaše výtisky vyjdou skvěle, můžete nyní sestavení své podložku. Když kliknete na „Přesunout na další pozici“, tryska se přesune do různých poloh, které lze upravit."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "Upr&avit"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Pro každou pozici; vložte kousek papíru pod trysku a upravte výšku tiskové desky. Výška desky pro sestavení tisku je správná, když je papír lehce uchopen špičkou trysky."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "Po&hled"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Spustit vyrovnání položky"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr "Nasta&vení"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Přesunout na další pozici"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "D&oplňky"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Vyberte prosím všechny upgrady provedené v tomto originálu Ultimaker"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "P&reference"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Vyhřívaná podložka (Oficiální kit, nebo vytvořená)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "Po&moc"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Připojte se k síťové tiskárně"
+msgid "New project"
+msgstr "Nový projekt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr "Chcete-li tisknout přímo na tiskárně prostřednictvím sítě, zkontrolujte, zda je tiskárna připojena k síti pomocí síťového kabelu nebo připojením tiskárny k síti WIFI. Pokud nepřipojíte Curu k tiskárně, můžete stále používat jednotku USB k přenosu souborů g-kódu do vaší tiskárny."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr "Vyberte svou tiskárnu z nabídky níže:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Upravit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Odstranit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Aktualizovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Pokud vaše tiskárna není uvedena, přečtěte si průvodce řešením problémů se síťovým tiskem "
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Typ"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Verze firmwaru"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Adresa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr "Tato tiskárna není nastavena tak, aby hostovala skupinu tiskáren."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr "Tato tiskárna je hostitelem skupiny tiskáren %1."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "Tiskárna na této adrese dosud neodpověděla."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Připojit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr "Špatná IP adresa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr "Prosím zadejte validní IP adresu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Adresa tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr "Vložte IP adresu vaší tiskárny na síti."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr "Změny konfigurace"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr "Override"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:"
-msgstr[1] "Přiřazená tiskárna %1 vyžaduje následující změny akonfigurace:"
-msgstr[2] "Přiřazená tiskárna %1 vyžaduje následující změnu konfigurace:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr "Tiskárna %1 je přiřazena, ale úloha obsahuje neznámou konfiguraci materiálu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr "Změnit materiál %1 z %2 na %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr "Načíst %3 jako materiál %1 (Toho nemůže být přepsáno)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr "Změnit jádro tisku %1 z %2 na %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr "Změnit podložku na %1 (Toto nemůže být přepsáno)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr "Přepsání použije zadaná nastavení s existující konfigurací tiskárny. To může vést k selhání tisku."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr "Sklo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr "Hliník"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr "Přesunout nahoru"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr "Odstranit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr "Obnovit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr "Pozastavuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr "Obnovuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr "Pozastavit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr "Ruším..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr "Zrušit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr "Doopravdy chcete posunout %1 na začátek fronty?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr "Přesunout tiskovou úlohu nahoru"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr "Doopravdy chcete odstranit %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr "Odstranit tiskovou úlohu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr "Doopravdy chcete zrušit %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Zrušit tisk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr "Spravovat tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr "Aktualizujte firmware tiskárny a spravujte frontu vzdáleně."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr "Načítám..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr "Nedostupný"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr "Nedostupný"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr "Čekám"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr "Připravuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr "Tisknu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr "Bez názvu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr "Anonymní"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr "Jsou nutné změny v nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr "Podrobnosti"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr "Nedostupná tiskárna"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr "První dostupný"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr "Zrušeno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Dokončeno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr "Ruším..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr "Pozastavuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr "Pozastaveno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr "Obnovuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Akce vyžadována"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr "Dokončuji %1 z %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "Zařazeno do fronty"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr "Spravovat v prohlížeči"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr "Ve frontě nejsou žádné tiskové úlohy. Slicujte a odesláním úlohy jednu přidejte."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr "Tiskové úlohy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr "Celkový čas tisknutí"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr "Čekám na"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Tisk přes síť"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Tisk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr "Výběr tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr "Přihlásit se"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr "Přihlásit se do platformy Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-"- Přidejte materiálnové profily and moduly z Obchodu\n"
-"- Zálohujte a synchronizujte vaše materiálové profily and moduly\n"
-"- Sdílejte nápady a získejte pomoc od více než 48 000 uživatelů v Ultimaker komunitě"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr "Vytvořit účet Ultimaker zdarma"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr "Kontroluji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr "Účet byl synchronizován"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr "Nastala chyba..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr "Nainstalujte čekající aktualizace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr "Zkontrolovat aktualizace pro účet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr "Poslední aktualizace: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr "Ultimaker Account"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr "Odhlásit se"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr "Žádný odhad času není dostupný"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr "Žádná cena není dostupná"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr "Náhled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr "Odhad času"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr "Odhad materiálu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr "%1m"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr "%1g"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Slicuji..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr "Nelze slicovat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr "Zpracovává se"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr "Slicovat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr "Začít proces slicování"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr "Zrušit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr "Zobrazit online průvodce řešením problémů"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Přepnout zobrazení na celou obrazovku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr "Ukončit zobrazení na celou obrazovku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "&Vrátit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "&Znovu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "&Ukončit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr "3D Pohled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr "Přední pohled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr "Pohled seshora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr "Pohled zezdola"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr "Pohled z pravé strany"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr "Pohled z pravé strany"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Konfigurovat Cura..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "Přidat t&iskárnu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Spravovat &tiskárny..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Spravovat materiály..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr "Přidat více materiálů z obchodu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "&Aktualizovat profil s aktuálními nastaveními/přepsáními"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "Smazat aktuální &změny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "&Vytvořit profil z aktuálního nastavení/přepsání."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Spravovat profily..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Zobrazit online &dokumentaci"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "Nahlásit &chybu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr "Co je nového"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "Více..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr "Smazat vybrané"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr "Centrovat vybrané"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr "Násobit vybrané"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Odstranit model"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "&Centerovat model na podložce"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "Sesk&upit modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Rozdělit modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "Spo&jit modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "Náso&bení modelu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Vybrat všechny modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Vyčistit podložku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Znovu načíst všechny modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr "Uspořádejte všechny modely do všechpodložek"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Uspořádat všechny modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Uspořádat selekci"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Resetovat všechny pozice modelů"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Resetovat všechny transformace modelů"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "&Otevřít soubor(y)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "&Nový projekt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Zobrazit složku s konfigurací"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Konfigurovat viditelnost nastavení..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr "Mark&et"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
-msgstr "Tento balíček bude nainstalován po restartování."
+msgid "Time estimation"
+msgstr "Odhad času"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "Obecné"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
+msgstr "Odhad materiálu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Nastavení"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
+msgstr "%1m"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Tiskárny"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
+msgstr "%1g"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Profily"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr "Žádný odhad času není dostupný"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
-msgstr "Zavírám %1"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr "Žádná cena není dostupná"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
-msgstr "Doopravdy chcete zavřít %1?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr "Náhled"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Otevřít soubor(y)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
-msgstr "Nainstalovat balíček"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Otevřít Soubor(y)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "Ve vybraných souborech jsme našli jeden nebo více souborů G-kódu. Naraz můžete otevřít pouze jeden soubor G-kódu. Pokud chcete otevřít soubor G-Code, vyberte pouze jeden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
msgstr "Přidat tiskárnu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr "Přidat síťovou tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr "Přidat ne-síťovou tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr "Přidat Cloudovou tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr "Čekám na odpověď od Cloudu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr "Žádné tiskárny nenalezeny ve vašem účtě?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr "Následující tiskárny ve vašem účtě byla přidány do Cury:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr "Přidat tiskárnu manuálně"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr "Přidat tiskárnu podle IP adresy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr "Zadejte IP adresu vaší tiskárny."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr "Přidat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr "Nelze se připojit k zařízení."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr "Nemůžete se připojit k Vaší tiskárně Ultimaker?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr "Tiskárna na této adrese dosud neodpověděla."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr "Tuto tiskárnu nelze přidat, protože se jedná o neznámou tiskárnu nebo není hostitelem skupiny."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr "Zpět"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr "Připojit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr "Uživatelská dohoda"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr "Odmítnout a zavřít"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr "Vítejte v Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr "Při nastavování postupujte podle těchto pokynů Ultimaker Cura. Bude to trvat jen několik okamžiků."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr "Začínáme"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr "Přihlásit se do platformy Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr "Přidat nastavení materiálů a moduly z Obchodu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr "Zálohovat a synchronizovat nastavení materiálů a moduly"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr "Sdílejte nápady a získejte pomoc od více než 48 0000 uživatelů v Ultimaker komunitě"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr "Přeskočit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr "Vytvořit účet Ultimaker zdarma"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr "Výrobce"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr "Autor profilu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr "Název tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr "Pojmenujte prosím svou tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr "Přes síť nebyla nalezena žádná tiskárna."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr "Obnovit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr "Přidat tiskárnu podle IP"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr "Přidat cloudovou tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr "Podpora při problémech"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr "Pomožte nám zlepšovat Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu, včetně:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr "Typy zařízení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr "Použití materiálu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr "Počet sliců"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr "Nastavení tisku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr "Data shromážděná společností Ultimaker Cura nebudou obsahovat žádné osobní údaje."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr "Více informací"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
msgid "What's New"
msgstr "Co je nového"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr "Prázdné"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr "Poznámky k vydání"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr "O %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr "verze: %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Komplexní řešení pro 3D tisk z taveného filamentu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
@@ -3823,183 +3774,204 @@ msgstr ""
"Cura vyvíjí Ultimaker B.V. ve spolupráci s komunitou.\n"
"Cura hrdě používá následující open source projekty:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Grafické uživatelské prostředí"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Aplikační framework"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr "Generátor G kódu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Meziprocesní komunikační knihovna"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Programovací jazyk"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "GUI framework"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "Propojení GUI frameworku"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "Binding knihovna C/C++"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Formát výměny dat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Podpůrná knihovna pro vědecké výpočty"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Podpůrný knihovna pro rychlejší matematické výpočty"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "Podpůrná knihovna pro práci se soubory STL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr "Podpůrná knihovna pro manipulaci s planárními objekty"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr "Podpůrná knihovna pro manipulaci s trojúhelníkovými sítěmi"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Podpůrná knihovna pro manipulaci s 3MF soubory"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr "Podpůrná knihovna pro metadata souborů a streaming"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Knihovna pro sériovou komunikaci"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "Knihovna ZeroConf discovery"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Knihovna pro výstřižky z mnohoúhelníků"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr "Kontrola statických typů pro Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr "Základní certifikáty pro validaci důvěryhodnosti SSL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr "Chyba v Python trackovací knihovně"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr "Knihovna pro plošnou optimalizaci vyvinutá Prusa Research"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr "Propojení libnest2d s jazykem Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr "Podpůrná knihovna pro přístup k systémové klíčence"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr "Python rozšíření pro Microsoft Windows"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Font"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "Ikony SVG"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr "Linux cross-distribution application deployment"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Otevřít soubor s projektem"
+msgid "Open file(s)"
+msgstr "Otevřít soubor(y)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Toto je soubor projektu Cura. Chcete jej otevřít jako projekt nebo importovat z něj modely?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Ve vybraných souborech jsme našli jeden nebo více projektových souborů. Naraz můžete otevřít pouze jeden soubor projektu. Doporučujeme importovat pouze modely z těchto souborů. Chtěli byste pokračovat?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Pamatuj si moji volbu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Otevřít jako projekt"
+msgid "Import all as models"
+msgstr "Importovat vše jako modely"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Uložit projekt"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Extruder %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 & materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr "Materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "Nezobrazovat souhrn projektu při uložení znovu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Importovat modely"
+msgid "Save"
+msgstr "Uložit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Smazat nebo nechat změny"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -4010,1255 +3982,144 @@ msgstr ""
"Chcete tato změněná nastavení zachovat i po přepnutí profilů?\n"
"V opačném případě můžete změny smazat a načíst výchozí hodnoty z '%1'."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Nastavení profilu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr "Aktuální změny"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Vždy se zeptat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Smazat a už se nikdy neptat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Nechat a už se nikdy neptat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr "Smazat změny"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr "Zanechat změny"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Otevřít soubor s projektem"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Ve vybraných souborech jsme našli jeden nebo více projektových souborů. Naraz můžete otevřít pouze jeden soubor projektu. Doporučujeme importovat pouze modely z těchto souborů. Chtěli byste pokračovat?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Toto je soubor projektu Cura. Chcete jej otevřít jako projekt nebo importovat z něj modely?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Pamatuj si moji volbu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Importovat vše jako modely"
+msgid "Open as project"
+msgstr "Otevřít jako projekt"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Uložit projekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Extruder %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 & materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr "Materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "Nezobrazovat souhrn projektu při uložení znovu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Uložit"
+msgid "Import models"
+msgstr "Importovat modely"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Tisknout vybraný model pomocí %1"
-msgstr[1] "Tisknout vybraný model pomocí %1"
-msgstr[2] "Tisknout vybraný model pomocí %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr "Bez názvu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "&Soubor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "Upr&avit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "Po&hled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr "Nasta&vení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "D&oplňky"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "P&reference"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "Po&moc"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Nový projekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr "Obchod"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr "Konfigurace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr "Tato konfigurace není k dispozici, protože %1 nebyl rozpoznán. Navštivte prosím %2 a stáhněte si správný materiálový profil."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr "Obchod"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr "Načítání dostupných konfigurací z tiskárny ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr "Konfigurace nejsou k dispozici, protože je tiskárna odpojena."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr "Vybrat konfiguraci"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr "Konfigurace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr "Vlastní"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr "Tiskárna"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr "Povoleno"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr "S touto kombinací materiálu pro lepší adhezi použijte lepidlo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Tisknout vybraný model pomocí:"
-msgstr[1] "Tisknout vybrané modely pomocí:"
-msgstr[2] "Tisknout vybrané modely pomocí:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Násobit vybraný model"
-msgstr[1] "Násobit vybrané modele"
-msgstr[2] "Násobit vybrané modele"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Počet kopií"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr "&Uložit projekt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr "&Exportovat..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr "Výběr exportu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr "Materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr "Oblíbené"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr "Obecné"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr "Otevřít soubor(y)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr "Tiskárny s povolenou sítí"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr "Lokální tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "Otevřít &Poslední"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr "Uložit projekt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "&Tiskárna"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Nastavit jako aktivní extruder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr "Povolit extuder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr "Zakázat Extruder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr "Viditelná nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr "Sbalit všechny kategorie"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr "Spravovat nastavení viditelnosti ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr "Pozice &kamery"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr "Pohled kamery"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr "Perspektiva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr "Ortografický"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr "Pod&ložka"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "Nepřipojen k tiskárně"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "Tiskárna nepřijímá příkazy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "V údržbě. Prosím zkontrolujte tiskíárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Ztráta spojení s tiskárnou"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Tisknu..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "Pozastaveno"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Připravuji..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Prosím odstraňte výtisk"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr "Zrušit tisk"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "Jste si jist, že chcete zrušit tisknutí?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr "Je tisknuto jako podpora."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr "Ostatní modely překrývající se s tímto modelem jsou upraveny."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr "Výplň překrývající se s tímto modelem byla modifikována."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr "Přesahy na tomto modelu nejsou podporovány."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] "Přepíše %1 nastavení."
-msgstr[1] "Přepíše %1 nastavení."
-msgstr[2] "Přepíše %1 nastavení."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr "Seznam objektů"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Rozhranní"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Měna:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Styl:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "Aby se tyto změny projevily, budete muset aplikaci restartovat."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Slicovat automaticky při změně nastavení."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Slicovat automaticky"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "Chování výřezu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Zvýraznit červeně místa modelu bez podpor. Bez podpor tyto místa nebudou správně vytisknuta."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Zobrazit převis"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr "Zvýraznit chybějící nebo vedlejší povrchy modelu pomocí varovných značek. Dráhám nástrojů budou často chybět části zamýšlené geometrie."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr "Zobrazovat chyby modelu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "Při výběru modelu pohybuje kamerou tak, aby byl model ve středu pohledu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Vycentrovat kameru pokud je vybrána položka"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "Mělo by být výchozí chování přiblížení u cury invertováno?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Obrátit směr přibližování kamery."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "Mělo by se přibližování pohybovat ve směru myši?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr "V pravoúhlé perspektivě není podporováno přiblížení směrem k myši."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "Přiblížit směrem k směru myši"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "Měly by se modely na platformě pohybovat tak, aby se již neprotínaly?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "Zajistěte, aby modely byly odděleny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "Měly by být modely na platformě posunuty dolů tak, aby se dotýkaly podložky?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Automaticky přetáhnout modely na podložku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr "Zobrazte v čtečce g-kódu varovnou zprávu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr "Upozornění ve čtečce G-kódu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "Měla by být vrstva vynucena do režimu kompatibility?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "Vynutit režim kompatibility zobrazení vrstev (vyžaduje restart)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr "Měla by se Cura otevřít v místě, kde byla uzavřena?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr "Při zapnutí obnovit pozici okna"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr "Jaký typ kamery by se měl použít?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr "Vykreslování kamery:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr "Perspektiva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr "Ortografický"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Otevírám a ukládám soubory"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr "Měli by se soubory z plochy, nebo externích aplikací otevírat ve stejné instanci Cury?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr "Používat pouze jednu instanci programu Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "Měly by být modely upraveny na velikost podložky, pokud jsou příliš velké?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Škálovat velké modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Model se může jevit velmi malý, pokud je jeho jednotka například v metrech, nikoli v milimetrech. Měly by být tyto modely škálovány?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Škálovat extrémně malé modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr "Měly by být modely vybrány po načtení?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr "Vybrat modely po načtení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "Je třeba k názvu tiskové úlohy přidat předponu založenou na názvu tiskárny automaticky?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Přidat předponu zařízení před název úlohy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "Mělo by se při ukládání souboru projektu zobrazit souhrn?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Zobrazit souhrnný dialog při ukládání projektu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Výchozí chování při otevírání souboru"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Výchozí chování při otevření souboru s projektem: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr "Vždy se zeptat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Vždy otevírat jako projekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Vždy importovat modely"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Pokud jste provedli změny v profilu a přepnuli na jiný, zobrazí se dialogové okno s dotazem, zda si přejete zachovat své modifikace nebo ne, nebo si můžete zvolit výchozí chování a už nikdy toto dialogové okno nezobrazovat."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr "Profily"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr "Výchozí chování pro změněné hodnoty nastavení při přepnutí na jiný profil: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr "Vždy smazat změněné nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr "Vždy přesunout nastavení do nového profilu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Soukromí"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "Měla by být anonymní data o vašem tisku zaslána společnosti Ultimaker? Upozorňujeme, že nejsou odesílány ani ukládány žádné modely, adresy IP ani jiné osobní údaje."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "Posílat (anonymní) informace o tisku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr "Více informací"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr "Aktualizace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "Měla by Cura zkontrolovat aktualizace při spuštění programu?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Zkontrolovat aktualizace při zapnutí"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr "Při kontrole aktualizací kontrolovat pouze stabilní vydání."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr "Pouze stabilní vydání"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr "Při kontrole aktualizací kontrolovat stabilní i beta vydání."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr "Stabilní a beta vydání"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr "Mají být při každém startu Cury automaticky kontrolovány nové moduly? Důrazně doporučujeme tuto možnost nevypínat!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr "Získávat oznámení o aktualizacích modulů"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Aktivovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Přejmenovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Vytvořit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Duplikovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Import"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Export"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr "Synchronizovat s tiskárnami"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr "Tiskárna"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr "Potvrdit odstranění"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr "Doopravdy chcete odstranit %1? Toto nelze vrátit zpět!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Importovat materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "Nelze importovat materiál %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "Úspěšně importován materiál %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Exportovat materiál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Neúspěch při exportu materiálu do %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "Úspěšné exportování materiálu do %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr "Exportovat všechny materiály"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Informace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr "Potvrdit změnu průměru"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr "Nový průměr vlákna je nastaven na %1 mm, což není kompatibilní s aktuálním extrudérem. Přejete si pokračovat?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Jméno"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Typ materiálu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Barva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Vlastnosti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Husttoa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Průměr"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Cena filamentu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Váha filamentu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Délka filamentu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Cena za metr"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Tento materiál je propojen s %1 a sdílí některé jeho vlastnosti."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Zrušit propojení s materiálem"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Popis"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Informace o adhezi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Nastavení tisku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Vytvořit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Duplikovat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Vytvořit profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr "Prosím uveďte jméno pro tento profil."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Duplikovat profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Přejmenovat profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Importovat profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Exportovat profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Tiskárna: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Aktualizovat profil s aktuálním nastavení/přepsánímy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "Zrušit aktuální změny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Tento profil používá výchozí nastavení zadaná tiskárnou, takže nemá žádná nastavení / přepíše v níže uvedeném seznamu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Vaše aktuální nastavení odpovídá vybranému profilu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Globální nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Vypočítáno"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Nastavení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Aktuální"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Jednotka"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Nastavení zobrazení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Zkontrolovat vše"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Extuder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "Cílová teplota hotendu. Hotend se ohřeje nebo ochladí na tuto teplotu. Pokud je 0, ohřev teplé vody je vypnutý."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr "Aktuální teplota tohoto hotendu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr "Teplota pro předehřátí hotendu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Zrušit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Předehřání"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr "Před tiskem zahřejte hotend předem. Můžete pokračovat v úpravách tisku, zatímco se zahřívá, a nemusíte čekat na zahřátí hotendu, až budete připraveni k tisku."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Barva materiálu v tomto extruderu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Materiál v tomto extruderu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "Vložená trysky v tomto extruderu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Podložka"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "Cílová teplota vyhřívací podložky. Podložka se zahřeje, nebo schladí směrem k této teplotě. Pokud je 0, tak je vyhřívání podložky vypnuto."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "Aktuální teplota vyhřívané podložky."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "Teplota pro předehřátí podložky."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "Před tiskem zahřejte postel předem. Můžete pokračovat v úpravě tisku, zatímco se zahřívá, a nemusíte čekat, až se postel zahřeje, až budete připraveni k tisku."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr "Ovládání tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr "Pozice hlavy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr "X/Y"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr "Z"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr "Vzdálenost hlavy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr "Poslat G kód"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr "Na připojenou tiskárnu odešlete vlastní příkaz G-kódu. Stisknutím klávesy „Enter“ odešlete příkaz."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "Tiskárna není připojena."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr "Cloudová tiskárna je offline. Prosím zkontrolujte, zda je tiskárna zapnutá a připojená k internetu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr "Tiskárna není připojena k vašemu účtu. Prosím navštivte Ultimaker Digital Factory pro navázání spojení."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr "Připojení ke cloudu není nyní dostupné. Prosím přihlašte se k připojení ke cloudové tiskárně."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr "Připojení ke cloudu není nyní dostupné. Prosím zkontrolujte si vaše internetové připojení."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr "Přidat tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr "Spravovat tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr "Připojené tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr "Přednastavené tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Aktivní tisk"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Název úlohy"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Čas tisku"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Předpokládaný zbývající čas"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr "Cloudová tiskárna je offline. Prosím zkontrolujte, zda je tiskárna zapnutá a připojená k internetu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr "Tiskárna není připojena k vašemu účtu. Prosím navštivte Ultimaker Digital Factory pro navázání spojení."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr "Připojení ke cloudu není nyní dostupné. Prosím přihlašte se k připojení ke cloudové tiskárně."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr "Připojení ke cloudu není nyní dostupné. Prosím zkontrolujte si vaše internetové připojení."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr "Přidat tiskárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr "Spravovat tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr "Připojené tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr "Přednastavené tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Nastavení tisku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr "Nastavení tisku zakázáno. Soubor G-kódu nelze změnit."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr "Profil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5269,12 +4130,43 @@ msgstr ""
"\n"
"Klepnutím otevřete správce profilů."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr "Vlastní profily"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "Zrušit aktuální změny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr "Doporučeno"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr "Vlastní"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr "Zap"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr "Vyp"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr "Experimentální"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
@@ -5282,108 +4174,1664 @@ msgstr[0] "Neexistuje žádný profil %1 pro konfiguraci v extruderu %2. Místo
msgstr[1] "Neexistuje žádný profil %1 pro konfigurace v extruderu %2. Místo toho bude použit výchozí záměr"
msgstr[2] "Neexistuje žádný profil %1 pro konfigurace v extruderu %2. Místo toho bude použit výchozí záměr"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr "Nastavení tisku zakázáno. Soubor G-kódu nelze změnit."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr "Doporučeno"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr "Vlastní"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr "Zap"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr "Vyp"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
-msgstr "Experimentální"
+msgid "Profiles"
+msgstr "Profily"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr "Adheze"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Umožňuje tisk okraje nebo voru. Tímto způsobem se kolem nebo pod objekt přidá plochá oblast, kterou lze snadno odříznout."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr "Postupná výplň"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "Postupná výplň postupně zvyšuje množství výplně směrem nahoru."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr "Upravili jste některá nastavení profilu. Pokud je chcete změnit, přejděte do uživatelského režimu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr "Podpora"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "Vytvořte struktury pro podporu částí modelu, které mají přesahy. Bez těchto struktur by se takové části během tisku zhroutily."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
-msgstr ""
-"Některá skrytá nastavení používají hodnoty odlišné od jejich normální vypočtené hodnoty.\n"
-"\n"
-"Klepnutím toto nastavení zviditelníte."
+msgid "Gradual infill"
+msgstr "Postupná výplň"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "Postupná výplň postupně zvyšuje množství výplně směrem nahoru."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr "Adheze"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Umožňuje tisk okraje nebo voru. Tímto způsobem se kolem nebo pod objekt přidá plochá oblast, kterou lze snadno odříznout."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr "Uložit projekt..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr "Tiskárny s povolenou sítí"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr "Lokální tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr "Materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr "Oblíbené"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr "Obecné"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Tisknout vybraný model pomocí:"
+msgstr[1] "Tisknout vybrané modely pomocí:"
+msgstr[2] "Tisknout vybrané modely pomocí:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Násobit vybraný model"
+msgstr[1] "Násobit vybrané modele"
+msgstr[2] "Násobit vybrané modele"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Počet kopií"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr "&Uložit projekt..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr "&Exportovat..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr "Výběr exportu..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr "Konfigurace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr "Vlastní"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr "Tiskárna"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr "Povoleno"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr "S touto kombinací materiálu pro lepší adhezi použijte lepidlo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr "Vybrat konfiguraci"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr "Konfigurace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr "Načítání dostupných konfigurací z tiskárny ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr "Konfigurace nejsou k dispozici, protože je tiskárna odpojena."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr "Tato konfigurace není k dispozici, protože %1 nebyl rozpoznán. Navštivte prosím %2 a stáhněte si správný materiálový profil."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr "Obchod"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr "Otevřít soubor(y)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "&Tiskárna"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Nastavit jako aktivní extruder"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr "Povolit extuder"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr "Zakázat Extruder"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "Otevřít &Poslední"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr "Viditelná nastavení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr "Sbalit všechny kategorie"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr "Spravovat nastavení viditelnosti ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr "Pozice &kamery"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr "Pohled kamery"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr "Perspektiva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr "Ortografický"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr "Pod&ložka"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr "Typ pohledu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr "Je tisknuto jako podpora."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr "Ostatní modely překrývající se s tímto modelem jsou upraveny."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr "Výplň překrývající se s tímto modelem byla modifikována."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr "Přesahy na tomto modelu nejsou podporovány."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] "Přepíše %1 nastavení."
+msgstr[1] "Přepíše %1 nastavení."
+msgstr[2] "Přepíše %1 nastavení."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Profily"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Aktivovat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Vytvořit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Duplikovat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Přejmenovat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Import"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Export"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Vytvořit profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr "Prosím uveďte jméno pro tento profil."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Duplikovat profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr "Potvrdit odstranění"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr "Doopravdy chcete odstranit %1? Toto nelze vrátit zpět!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Přejmenovat profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Importovat profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Exportovat profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Tiskárna: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Aktualizovat profil s aktuálním nastavení/přepsánímy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Tento profil používá výchozí nastavení zadaná tiskárnou, takže nemá žádná nastavení / přepíše v níže uvedeném seznamu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Vaše aktuální nastavení odpovídá vybranému profilu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Globální nastavení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "Obecné"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Rozhranní"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Měna:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Styl:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "Aby se tyto změny projevily, budete muset aplikaci restartovat."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Slicovat automaticky při změně nastavení."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Slicovat automaticky"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "Chování výřezu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Zvýraznit červeně místa modelu bez podpor. Bez podpor tyto místa nebudou správně vytisknuta."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Zobrazit převis"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr "Zvýraznit chybějící nebo vedlejší povrchy modelu pomocí varovných značek. Dráhám nástrojů budou často chybět části zamýšlené geometrie."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr "Zobrazovat chyby modelu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "Při výběru modelu pohybuje kamerou tak, aby byl model ve středu pohledu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Vycentrovat kameru pokud je vybrána položka"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "Mělo by být výchozí chování přiblížení u cury invertováno?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Obrátit směr přibližování kamery."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "Mělo by se přibližování pohybovat ve směru myši?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr "V pravoúhlé perspektivě není podporováno přiblížení směrem k myši."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "Přiblížit směrem k směru myši"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "Měly by se modely na platformě pohybovat tak, aby se již neprotínaly?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "Zajistěte, aby modely byly odděleny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "Měly by být modely na platformě posunuty dolů tak, aby se dotýkaly podložky?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Automaticky přetáhnout modely na podložku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr "Zobrazte v čtečce g-kódu varovnou zprávu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr "Upozornění ve čtečce G-kódu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "Měla by být vrstva vynucena do režimu kompatibility?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "Vynutit režim kompatibility zobrazení vrstev (vyžaduje restart)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr "Měla by se Cura otevřít v místě, kde byla uzavřena?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr "Při zapnutí obnovit pozici okna"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr "Jaký typ kamery by se měl použít?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr "Vykreslování kamery:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr "Perspektiva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr "Ortografický"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Otevírám a ukládám soubory"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr "Měli by se soubory z plochy, nebo externích aplikací otevírat ve stejné instanci Cury?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr "Používat pouze jednu instanci programu Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr "Má být podložka vyčištěna před načtením nového modelu v jediné instanci Cury?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr "Vyčistit podložku před načtením modelu do jediné instance"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "Měly by být modely upraveny na velikost podložky, pokud jsou příliš velké?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Škálovat velké modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Model se může jevit velmi malý, pokud je jeho jednotka například v metrech, nikoli v milimetrech. Měly by být tyto modely škálovány?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Škálovat extrémně malé modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr "Měly by být modely vybrány po načtení?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr "Vybrat modely po načtení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "Je třeba k názvu tiskové úlohy přidat předponu založenou na názvu tiskárny automaticky?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Přidat předponu zařízení před název úlohy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "Mělo by se při ukládání souboru projektu zobrazit souhrn?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Zobrazit souhrnný dialog při ukládání projektu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Výchozí chování při otevírání souboru"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Výchozí chování při otevření souboru s projektem: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr "Vždy se zeptat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Vždy otevírat jako projekt"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Vždy importovat modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Pokud jste provedli změny v profilu a přepnuli na jiný, zobrazí se dialogové okno s dotazem, zda si přejete zachovat své modifikace nebo ne, nebo si můžete zvolit výchozí chování a už nikdy toto dialogové okno nezobrazovat."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr "Výchozí chování pro změněné hodnoty nastavení při přepnutí na jiný profil: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr "Vždy smazat změněné nastavení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr "Vždy přesunout nastavení do nového profilu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Soukromí"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "Měla by být anonymní data o vašem tisku zaslána společnosti Ultimaker? Upozorňujeme, že nejsou odesílány ani ukládány žádné modely, adresy IP ani jiné osobní údaje."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "Posílat (anonymní) informace o tisku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr "Více informací"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr "Aktualizace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "Měla by Cura zkontrolovat aktualizace při spuštění programu?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Zkontrolovat aktualizace při zapnutí"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr "Při kontrole aktualizací kontrolovat pouze stabilní vydání."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr "Pouze stabilní vydání"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr "Při kontrole aktualizací kontrolovat stabilní i beta vydání."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr "Stabilní a beta vydání"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr "Mají být při každém startu Cury automaticky kontrolovány nové moduly? Důrazně doporučujeme tuto možnost nevypínat!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr "Získávat oznámení o aktualizacích modulů"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Informace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr "Potvrdit změnu průměru"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr "Nový průměr vlákna je nastaven na %1 mm, což není kompatibilní s aktuálním extrudérem. Přejete si pokračovat?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Jméno"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Typ materiálu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Barva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Vlastnosti"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Husttoa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Průměr"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Cena filamentu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Váha filamentu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Délka filamentu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Cena za metr"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Tento materiál je propojen s %1 a sdílí některé jeho vlastnosti."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Zrušit propojení s materiálem"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Popis"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Informace o adhezi"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Vytvořit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Duplikovat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr "Synchronizovat s tiskárnami"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr "Tiskárna"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Importovat materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "Nelze importovat materiál %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "Úspěšně importován materiál %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Exportovat materiál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to %1: %2"
+msgstr "Neúspěch při exportu materiálu do %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr "Úspěšné exportování materiálu do %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid "Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt "@text In the UI this is followed by a list of steps the user needs to take."
+msgid "Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr "Exportovat všechny materiály"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr "Nastavení zobrazení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr "Zkontrolovat vše"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr "Tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr "Vypočítáno"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr "Nastavení"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr "Profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr "Aktuální"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr "Jednotka"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr "Nepřipojen k tiskárně"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr "Tiskárna nepřijímá příkazy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr "V údržbě. Prosím zkontrolujte tiskíárnu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr "Ztráta spojení s tiskárnou"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr "Tisknu..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr "Pozastaveno"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr "Připravuji..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr "Prosím odstraňte výtisk"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr "Zrušit tisk"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr "Jste si jist, že chcete zrušit tisknutí?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] "Tisknout vybraný model pomocí %1"
+msgstr[1] "Tisknout vybraný model pomocí %1"
+msgstr[2] "Tisknout vybraný model pomocí %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr "Moje tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr "Sledujte tiskárny v Ultimaker Digital Factory."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr "Vytvořte tiskové projekty v Digital Library."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr "Tiskové úlohy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr "Sledujte tiskové úlohy a znovu tiskněte z historie."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr "Rozšiřte Ultimaker Cura pomocí modulů a materiálových profilů."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr "Staňte se expertem na 3D tisk díky Ultimaker e-learningu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr "Ultimaker podpora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr "Zjistěte, jak začít s Ultimaker Cura."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr "Položit otázku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr "Poraďte se s Ultimaker komunitou."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr "Nahlásit chybu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr "Dejte vývojářům vědět, že je něco špatně."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr "Navštivte web Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr "Ovládání tiskárny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr "Pozice hlavy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr "X/Y"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr "Z"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr "Vzdálenost hlavy"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr "Poslat G kód"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
+msgstr "Na připojenou tiskárnu odešlete vlastní příkaz G-kódu. Stisknutím klávesy „Enter“ odešlete příkaz."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr "Extuder"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr "Cílová teplota hotendu. Hotend se ohřeje nebo ochladí na tuto teplotu. Pokud je 0, ohřev teplé vody je vypnutý."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr "Aktuální teplota tohoto hotendu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr "Teplota pro předehřátí hotendu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr "Zrušit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr "Předehřání"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
+msgstr "Před tiskem zahřejte hotend předem. Můžete pokračovat v úpravách tisku, zatímco se zahřívá, a nemusíte čekat na zahřátí hotendu, až budete připraveni k tisku."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr "Barva materiálu v tomto extruderu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr "Materiál v tomto extruderu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr "Vložená trysky v tomto extruderu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr "Tiskárna není připojena."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr "Podložka"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
+msgstr "Cílová teplota vyhřívací podložky. Podložka se zahřeje, nebo schladí směrem k této teplotě. Pokud je 0, tak je vyhřívání podložky vypnuto."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr "Aktuální teplota vyhřívané podložky."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr "Teplota pro předehřátí podložky."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
+msgstr "Před tiskem zahřejte postel předem. Můžete pokračovat v úpravě tisku, zatímco se zahřívá, a nemusíte čekat, až se postel zahřeje, až budete připraveni k tisku."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr "Přihlásit se"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+"- Přidejte materiálnové profily and moduly z Obchodu\n"
+"- Zálohujte a synchronizujte vaše materiálové profily and moduly\n"
+"- Sdílejte nápady a získejte pomoc od více než 48 000 uživatelů v Ultimaker komunitě"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr "Vytvořit účet Ultimaker zdarma"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr "Poslední aktualizace: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr "Ultimaker Account"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr "Odhlásit se"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr "Kontroluji..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr "Účet byl synchronizován"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr "Nastala chyba..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr "Nainstalujte čekající aktualizace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr "Zkontrolovat aktualizace pro účet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr "Bez názvu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr "Není z čeho vybírat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr "Zobrazit online průvodce řešením problémů"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr "Přepnout zobrazení na celou obrazovku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr "Ukončit zobrazení na celou obrazovku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr "&Vrátit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr "&Znovu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr "&Ukončit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr "3D Pohled"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr "Přední pohled"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr "Pohled seshora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr "Pohled zezdola"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr "Pohled z pravé strany"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr "Pohled z pravé strany"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr "Konfigurovat Cura..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr "Přidat t&iskárnu..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr "Spravovat &tiskárny..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr "Spravovat materiály..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr "Přidat více materiálů z obchodu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr "&Aktualizovat profil s aktuálními nastaveními/přepsáními"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr "Smazat aktuální &změny"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr "&Vytvořit profil z aktuálního nastavení/přepsání."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr "Spravovat profily..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr "Zobrazit online &dokumentaci"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr "Nahlásit &chybu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr "Co je nového"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr "Více..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr "Smazat vybrané"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr "Centrovat vybrané"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr "Násobit vybrané"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr "Odstranit model"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr "&Centerovat model na podložce"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr "Sesk&upit modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr "Rozdělit modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr "Spo&jit modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr "Náso&bení modelu..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr "Vybrat všechny modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr "Vyčistit podložku"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr "Znovu načíst všechny modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr "Uspořádejte všechny modely do všechpodložek"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr "Uspořádat všechny modely"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr "Uspořádat selekci"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr "Resetovat všechny pozice modelů"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr "Resetovat všechny transformace modelů"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr "&Otevřít soubor(y)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr "&Nový projekt..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr "Zobrazit složku s konfigurací"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr "Konfigurovat viditelnost nastavení..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr "Mark&et"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid "This setting is not used because all the settings that it influences are overridden."
msgstr "Toto nastavení se nepoužívá, protože všechna nastavení, která ovlivňuje, jsou přepsána."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr "Ovlivňuje"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr "Ovlivněno"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
msgstr "Toto nastavení je vždy sdíleno všemi extrudéry. Jeho změnou se změní hodnota všech extruderů."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr "Toto nastavení je vyřešeno z konfliktních hodnot specifického extruder:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5394,7 +5842,7 @@ msgstr ""
"\n"
"Klepnutím obnovíte hodnotu profilu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value set.\n"
@@ -5405,507 +5853,93 @@ msgstr ""
"\n"
"Klepnutím obnovíte vypočítanou hodnotu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr "Prohledat nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr "Kopírovat hodnotu na všechny extrudery"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr "Kopírovat všechny změněné hodnoty na všechny extrudery"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr "Schovat toto nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr "Neukazovat toto nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr "Nechat toto nastavení viditelné"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr "3D Pohled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr "Přední pohled"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr "Pohled seshora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr "Pohled zleva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr "Pohled zprava"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
-msgid "View type"
-msgstr "Typ pohledu"
+msgid ""
+"Some hidden settings use values different from their normal calculated value.\n"
+"\n"
+"Click to make these settings visible."
+msgstr ""
+"Některá skrytá nastavení používají hodnoty odlišné od jejich normální vypočtené hodnoty.\n"
+"\n"
+"Klepnutím toto nastavení zviditelníte."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
-msgid "Add a Cloud printer"
-msgstr "Přidat Cloudovou tiskárnu"
+msgid "This package will be installed after restarting."
+msgstr "Tento balíček bude nainstalován po restartování."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
-msgstr "Čekám na odpověď od Cloudu"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
+msgstr "Nastavení"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
-msgstr "Žádné tiskárny nenalezeny ve vašem účtě?"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
+msgstr "Zavírám %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
-msgstr "Následující tiskárny ve vašem účtě byla přidány do Cury:"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
+msgstr "Doopravdy chcete zavřít %1?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr "Přidat tiskárnu manuálně"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
+msgstr "Nainstalovat balíček"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr "Výrobce"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
+msgstr "Otevřít Soubor(y)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr "Autor profilu"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
+msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
+msgstr "Ve vybraných souborech jsme našli jeden nebo více souborů G-kódu. Naraz můžete otevřít pouze jeden soubor G-kódu. Pokud chcete otevřít soubor G-Code, vyberte pouze jeden."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr "Název tiskárny"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr "Pojmenujte prosím svou tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
msgstr "Přidat tiskárnu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr "Přidat síťovou tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr "Přidat ne-síťovou tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr "Přes síť nebyla nalezena žádná tiskárna."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr "Obnovit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr "Přidat tiskárnu podle IP"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr "Přidat cloudovou tiskárnu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr "Podpora při problémech"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr "Přidat tiskárnu podle IP adresy"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr "Zadejte IP adresu vaší tiskárny."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr "Přidat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr "Nelze se připojit k zařízení."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr "Nemůžete se připojit k Vaší tiskárně Ultimaker?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr "Tiskárna na této adrese dosud neodpověděla."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
-msgctxt "@label"
-msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
-msgstr "Tuto tiskárnu nelze přidat, protože se jedná o neznámou tiskárnu nebo není hostitelem skupiny."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr "Zpět"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr "Připojit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
-msgctxt "@label"
-msgid "Release Notes"
-msgstr "Poznámky k vydání"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
-msgstr "Přidat nastavení materiálů a moduly z Obchodu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
-msgstr "Zálohovat a synchronizovat nastavení materiálů a moduly"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
-msgstr "Sdílejte nápady a získejte pomoc od více než 48 0000 uživatelů v Ultimaker komunitě"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
-msgstr "Přeskočit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
-msgstr "Vytvořit účet Ultimaker zdarma"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr "Pomožte nám zlepšovat Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
-msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
-msgstr "Ultimaker Cura shromažďuje anonymní data za účelem zlepšení kvality tisku a uživatelského komfortu, včetně:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
-msgstr "Typy zařízení"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr "Použití materiálu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr "Počet sliců"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr "Nastavení tisku"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid "Data collected by Ultimaker Cura will not contain any personal information."
-msgstr "Data shromážděná společností Ultimaker Cura nebudou obsahovat žádné osobní údaje."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr "Více informací"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr "Prázdné"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr "Uživatelská dohoda"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr "Odmítnout a zavřít"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr "Vítejte v Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
-msgstr "Při nastavování postupujte podle těchto pokynů Ultimaker Cura. Bude to trvat jen několik okamžiků."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr "Začínáme"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
-msgctxt "@label"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
msgstr "Co je nového"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr "Není z čeho vybírat"
-
-#: ModelChecker/plugin.json
-msgctxt "description"
-msgid "Checks models and print configuration for possible printing issues and give suggestions."
-msgstr "Zkontroluje možné tiskové modely a konfiguraci tisku a poskytne návrhy."
-
-#: ModelChecker/plugin.json
-msgctxt "name"
-msgid "Model Checker"
-msgstr "Kontroler modelu"
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr "Poskytuje podporu pro čtení souborů 3MF."
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr "Čtečka 3MF"
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr "Poskytuje podporu pro psaní souborů 3MF."
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr "Zapisovač 3MF"
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr "Poskytuje podporu pro čtení souborů AMF."
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr "Čtečka AMF"
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr "Zálohujte a obnovte konfiguraci."
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr "Cura zálohy"
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr "Poskytuje odkaz na backend krájení CuraEngine."
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
-msgstr "CuraEngine Backend"
-
-#: CuraProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing Cura profiles."
-msgstr "Poskytuje podporu pro import profilů Cura."
-
-#: CuraProfileReader/plugin.json
-msgctxt "name"
-msgid "Cura Profile Reader"
-msgstr "Čtečka Cura profilu"
-
-#: CuraProfileWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
-msgstr "Poskytuje podporu pro export profilů Cura."
-
-#: CuraProfileWriter/plugin.json
-msgctxt "name"
-msgid "Cura Profile Writer"
-msgstr "Zapisovač Cura profilu"
-
-#: DigitalLibrary/plugin.json
-msgctxt "description"
-msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
-msgstr "Připojuje k Digitální knihovně. Umožňuje Cuře otevírat a ukládat soubory z a do Digitální knihovny."
-
-#: DigitalLibrary/plugin.json
-msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr "Digitální knihovna Ultimaker"
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr "Zkontroluje dostupné aktualizace firmwaru."
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr "Kontroler aktualizace firmwaru"
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr "Poskytuje akce počítače pro aktualizaci firmwaru."
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr "Firmware Updater"
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr "Čte g-kód z komprimovaného archivu."
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr "Čtečka kompresovaného G kódu"
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr "Zapíše g-kód do komprimovaného archivu."
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr "Zapisova kompresovaného G kódu"
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr "Poskytuje podporu pro import profilů ze souborů g-kódu."
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr "Čtečka profilu G kódu"
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr "Povoluje načítání a zobrazení souborů G kódu."
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr "Čtečka G kódu"
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr "Zapisuje G kód o souboru."
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr "Zapisovač G kódu"
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr "Umožňuje generovat tiskovou geometrii ze 2D obrazových souborů."
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr "Čtečka obrázků"
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr "Poskytuje podporu pro import profilů ze starších verzí Cura."
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
-msgstr "Čtečka legacy Cura profilu"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "description"
-msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
-msgstr "Poskytuje způsob, jak změnit nastavení zařízení (například objem sestavení, velikost trysek atd.)."
-
-#: MachineSettingsAction/plugin.json
-msgctxt "name"
-msgid "Machine Settings Action"
-msgstr "Akce nastavení zařízení"
-
-#: MonitorStage/plugin.json
-msgctxt "description"
-msgid "Provides a monitor stage in Cura."
-msgstr "Poskytuje monitorovací scénu v Cuře."
-
-#: MonitorStage/plugin.json
-msgctxt "name"
-msgid "Monitor Stage"
-msgstr "Fáze monitoringu"
-
#: PerObjectSettingsTool/plugin.json
msgctxt "description"
msgid "Provides the Per Model Settings."
@@ -5916,85 +5950,45 @@ msgctxt "name"
msgid "Per Model Settings Tool"
msgstr "Nástroj pro nastavení pro každý model"
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr "Rozšíření, které umožňuje uživateli vytvořené skripty pro následné zpracování"
+msgid "Provides support for importing Cura profiles."
+msgstr "Poskytuje podporu pro import profilů Cura."
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "name"
-msgid "Post Processing"
-msgstr "Post Processing"
+msgid "Cura Profile Reader"
+msgstr "Čtečka Cura profilu"
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides a prepare stage in Cura."
-msgstr "Poskytuje přípravnou fázi v Cuře."
+msgid "Provides support for reading X3D files."
+msgstr "Poskytuje podporu pro čtení souborů X3D."
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "name"
-msgid "Prepare Stage"
-msgstr "Fáze přípravy"
+msgid "X3D Reader"
+msgstr "Čtečka X3D"
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "description"
-msgid "Provides a preview stage in Cura."
-msgstr "Poskytuje fázi náhledu v Cura."
+msgid "Backup and restore your configuration."
+msgstr "Zálohujte a obnovte konfiguraci."
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Preview Stage"
-msgstr "Fáze náhledu"
+msgid "Cura Backups"
+msgstr "Cura zálohy"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "description"
-msgid "Provides removable drive hotplugging and writing support."
-msgstr "Poskytuje vyměnitelnou jednotku za plného zapojení a podporu zápisu."
+msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
+msgstr "Poskytuje způsob, jak změnit nastavení zařízení (například objem sestavení, velikost trysek atd.)."
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "name"
-msgid "Removable Drive Output Device Plugin"
-msgstr "Vyměnitelný zásuvný modul pro výstupní zařízení"
-
-#: SentryLogger/plugin.json
-msgctxt "description"
-msgid "Logs certain events so that they can be used by the crash reporter"
-msgstr "Protokolová určité události, aby je mohl použít reportér havárií"
-
-#: SentryLogger/plugin.json
-msgctxt "name"
-msgid "Sentry Logger"
-msgstr "Záznamník hlavy"
-
-#: SimulationView/plugin.json
-msgctxt "description"
-msgid "Provides the Simulation view."
-msgstr "Poskytuje zobrazení simulace."
-
-#: SimulationView/plugin.json
-msgctxt "name"
-msgid "Simulation View"
-msgstr "Pohled simulace"
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "description"
-msgid "Submits anonymous slice info. Can be disabled through preferences."
-msgstr "Odešle anonymní informace o slicování. Lze deaktivovat pomocí preferencí."
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "name"
-msgid "Slice info"
-msgstr "Informace o slicování"
-
-#: SolidView/plugin.json
-msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr "Poskytuje normální zobrazení pevné sítě."
-
-#: SolidView/plugin.json
-msgctxt "name"
-msgid "Solid View"
-msgstr "Solid View"
+msgid "Machine Settings Action"
+msgstr "Akce nastavení zařízení"
#: SupportEraser/plugin.json
msgctxt "description"
@@ -6006,35 +6000,45 @@ msgctxt "name"
msgid "Support Eraser"
msgstr "Mazač podpor"
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "description"
-msgid "Find, manage and install new Cura packages."
-msgstr "Najděte, spravujte a nainstalujte nové balíčky Cura."
+msgid "Provides removable drive hotplugging and writing support."
+msgstr "Poskytuje vyměnitelnou jednotku za plného zapojení a podporu zápisu."
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "name"
-msgid "Toolbox"
-msgstr "Nástroje"
+msgid "Removable Drive Output Device Plugin"
+msgstr "Vyměnitelný zásuvný modul pro výstupní zařízení"
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "description"
-msgid "Provides support for reading model files."
-msgstr "Poskytuje podporu pro čtení souborů modelu."
+msgid "Provides a machine actions for updating firmware."
+msgstr "Poskytuje akce počítače pro aktualizaci firmwaru."
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "name"
-msgid "Trimesh Reader"
-msgstr "Čtečka trimesh"
+msgid "Firmware Updater"
+msgstr "Firmware Updater"
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
-msgstr "Poskytuje podporu pro čtení balíčků formátu Ultimaker."
+msgid "Provides support for importing profiles from legacy Cura versions."
+msgstr "Poskytuje podporu pro import profilů ze starších verzí Cura."
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "name"
-msgid "UFP Reader"
-msgstr "Čtečka UFP"
+msgid "Legacy Cura Profile Reader"
+msgstr "Čtečka legacy Cura profilu"
+
+#: 3MFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading 3MF files."
+msgstr "Poskytuje podporu pro čtení souborů 3MF."
+
+#: 3MFReader/plugin.json
+msgctxt "name"
+msgid "3MF Reader"
+msgstr "Čtečka 3MF"
#: UFPWriter/plugin.json
msgctxt "description"
@@ -6046,25 +6050,95 @@ msgctxt "name"
msgid "UFP Writer"
msgstr "Zapisovač UFP"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "description"
-msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
-msgstr "Poskytuje akce strojů pro stroje Ultimaker (jako je průvodce vyrovnáváním postele, výběr upgradů atd.)."
+msgid "Logs certain events so that they can be used by the crash reporter"
+msgstr "Protokolová určité události, aby je mohl použít reportér havárií"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "name"
-msgid "Ultimaker machine actions"
-msgstr "Akce zařízení Ultimaker"
+msgid "Sentry Logger"
+msgstr "Záznamník hlavy"
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
-msgstr "Spravuje síťová připojení k síťovým tiskárnám Ultimaker."
+msgid "Provides support for importing profiles from g-code files."
+msgstr "Poskytuje podporu pro import profilů ze souborů g-kódu."
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "name"
-msgid "Ultimaker Network Connection"
-msgstr "Síťové připojení Ultimaker"
+msgid "G-code Profile Reader"
+msgstr "Čtečka profilu G kódu"
+
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
+msgstr "Poskytuje fázi náhledu v Cura."
+
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr "Fáze náhledu"
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr "Poskytuje rentgenové zobrazení."
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr "Rentgenový pohled"
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr "Poskytuje odkaz na backend krájení CuraEngine."
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr "CuraEngine Backend"
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr "Poskytuje podporu pro čtení souborů AMF."
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr "Čtečka AMF"
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr "Čte g-kód z komprimovaného archivu."
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr "Čtečka kompresovaného G kódu"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr "Rozšíření, které umožňuje uživateli vytvořené skripty pro následné zpracování"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr "Post Processing"
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr "Poskytuje podporu pro export profilů Cura."
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr "Zapisovač Cura profilu"
#: USBPrinting/plugin.json
msgctxt "description"
@@ -6076,25 +6150,135 @@ msgctxt "name"
msgid "USB printing"
msgstr "USB tisk"
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
-msgstr "Aktualizuje konfigurace z Cura 2.1 na Cura 2.2."
+msgid "Provides a prepare stage in Cura."
+msgstr "Poskytuje přípravnou fázi v Cuře."
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
-msgstr "Aktualizace verze 2.1 na 2.2"
+msgid "Prepare Stage"
+msgstr "Fáze přípravy"
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
-msgstr "Aktualizuje konfigurace z Cura 2.2 na Cura 2.4."
+msgid "Allows loading and displaying G-code files."
+msgstr "Povoluje načítání a zobrazení souborů G kódu."
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
-msgstr "Aktualizace verze 2.2 na 2.4"
+msgid "G-code Reader"
+msgstr "Čtečka G kódu"
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr "Umožňuje generovat tiskovou geometrii ze 2D obrazových souborů."
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr "Čtečka obrázků"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "description"
+msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
+msgstr "Poskytuje akce strojů pro stroje Ultimaker (jako je průvodce vyrovnáváním postele, výběr upgradů atd.)."
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "name"
+msgid "Ultimaker machine actions"
+msgstr "Akce zařízení Ultimaker"
+
+#: GCodeGzWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a compressed archive."
+msgstr "Zapíše g-kód do komprimovaného archivu."
+
+#: GCodeGzWriter/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Writer"
+msgstr "Zapisova kompresovaného G kódu"
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr "Zkontroluje dostupné aktualizace firmwaru."
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr "Kontroler aktualizace firmwaru"
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "description"
+msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgstr "Odešle anonymní informace o slicování. Lze deaktivovat pomocí preferencí."
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "name"
+msgid "Slice info"
+msgstr "Informace o slicování"
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "description"
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr "Poskytuje funkce pro čtení a zápis materiálových profilů založených na XML."
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "name"
+msgid "Material Profiles"
+msgstr "Materiálové profily"
+
+#: DigitalLibrary/plugin.json
+msgctxt "description"
+msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
+msgstr "Připojuje k Digitální knihovně. Umožňuje Cuře otevírat a ukládat soubory z a do Digitální knihovny."
+
+#: DigitalLibrary/plugin.json
+msgctxt "name"
+msgid "Ultimaker Digital Library"
+msgstr "Digitální knihovna Ultimaker"
+
+#: Toolbox/plugin.json
+msgctxt "description"
+msgid "Find, manage and install new Cura packages."
+msgstr "Najděte, spravujte a nainstalujte nové balíčky Cura."
+
+#: Toolbox/plugin.json
+msgctxt "name"
+msgid "Toolbox"
+msgstr "Nástroje"
+
+#: GCodeWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a file."
+msgstr "Zapisuje G kód o souboru."
+
+#: GCodeWriter/plugin.json
+msgctxt "name"
+msgid "G-code Writer"
+msgstr "Zapisovač G kódu"
+
+#: SimulationView/plugin.json
+msgctxt "description"
+msgid "Provides the Simulation view."
+msgstr "Poskytuje zobrazení simulace."
+
+#: SimulationView/plugin.json
+msgctxt "name"
+msgid "Simulation View"
+msgstr "Pohled simulace"
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
+msgstr "Aktualizuje konfigurace z Cura 4.5 na Cura 4.6."
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.5 to 4.6"
+msgstr "Aktualizace verze 4.5 na 4.6"
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
msgctxt "description"
@@ -6106,55 +6290,25 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr "Aktualizace verze 2.5 na 2.6"
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
-msgstr "Aktualizuje konfigurace z Cura 2.6 na Cura 2.7."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
+msgstr "Aktualizuje konfigurace z Cura 4.6.0 na Cura 4.6.2."
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
-msgstr "Aktualizace verze 2.6 na 2.7"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
+msgstr "Aktualizace verze 4.6.0 na 4.6.2"
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
-msgstr "Aktualizuje konfigurace z Cura 2.7 na Cura 3.0."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
+msgstr "Aktualizuje konfigurace z Cura 4.7 na Cura 4.8."
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr "Aktualizace verze 2.7 na 3.0"
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
-msgstr "Aktualizuje konfigurace z Cura 3.0 na Cura 3.1."
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
-msgstr "Aktualizace verze 3.0 na 3.1"
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
-msgstr "Aktualizuje konfigurace z Cura 3.2 na Cura 3.3."
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr "Aktualizace verze 3.2 na 3.3"
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr "Aktualizuje konfigurace z Cura 3.3 na Cura 3.4."
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
-msgstr "Aktualizace verze 3.3 na 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
+msgstr "Aktualizace verze 4.7 na 4.8"
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
msgctxt "description"
@@ -6166,45 +6320,45 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr "Aktualizace verze 3.4 na 3.5"
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
-msgstr "Aktualizuje konfigurace z Cura 3.5 na Cura 4.0."
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgstr "Aktualizuje konfigurace z Cura 2.1 na Cura 2.2."
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
-msgstr "Aktualizace verze 3.5 na 4.0"
+msgid "Version Upgrade 2.1 to 2.2"
+msgstr "Aktualizace verze 2.1 na 2.2"
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
-msgstr "Aktualizuje konfigurace z Cura 4.0 na Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
+msgstr "Aktualizuje konfigurace z Cura 3.2 na Cura 3.3."
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
-msgstr "Aktualizace verze 4.0 na 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
+msgstr "Aktualizace verze 3.2 na 3.3"
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
-msgstr ""
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
+msgstr "Aktualizuje konfigurace z Cura 4.8 na Cura 4.9."
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
-msgstr ""
+msgid "Version Upgrade 4.8 to 4.9"
+msgstr "Aktualizace verze 4.8 na 4.9"
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
-msgstr "Aktualizuje konfigurace z Cura 4.1 na Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
+msgstr "Aktualizuje konfigurace z Cura 4.6.2 na Cura 4.7."
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
-msgstr "Aktualizace verze 4.1 na 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
+msgstr "Aktualizace verze 4.6.2 na 4.7"
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
msgctxt "description"
@@ -6226,66 +6380,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr "Aktualizace verze 4.3 na 4.4"
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr "Aktualizuje konfigurace z Cura 4.4 na Cura 4.5."
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr "Aktualizace verze 4.4 na 4.5"
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr "Aktualizuje konfigurace z Cura 4.5 na Cura 4.6."
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr "Aktualizace verze 4.5 na 4.6"
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr "Aktualizuje konfigurace z Cura 4.6.0 na Cura 4.6.2."
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr "Aktualizace verze 4.6.0 na 4.6.2"
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr "Aktualizuje konfigurace z Cura 4.6.2 na Cura 4.7."
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr "Aktualizace verze 4.6.2 na 4.7"
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr "Aktualizuje konfigurace z Cura 4.7 na Cura 4.8."
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr "Aktualizace verze 4.7 na 4.8"
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr "Aktualizuje konfigurace z Cura 4.8 na Cura 4.9."
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr "Aktualizace verze 4.8 na 4.9"
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6296,35 +6390,175 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr "Aktualizace verze 4.9 na 4.10"
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
-msgstr "Poskytuje podporu pro čtení souborů X3D."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgstr "Aktualizuje konfigurace z Cura 2.7 na Cura 3.0."
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
-msgstr "Čtečka X3D"
+msgid "Version Upgrade 2.7 to 3.0"
+msgstr "Aktualizace verze 2.7 na 3.0"
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
-msgstr "Poskytuje funkce pro čtení a zápis materiálových profilů založených na XML."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgstr "Aktualizuje konfigurace z Cura 2.6 na Cura 2.7."
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
-msgstr "Materiálové profily"
+msgid "Version Upgrade 2.6 to 2.7"
+msgstr "Aktualizace verze 2.6 na 2.7"
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
-msgstr "Poskytuje rentgenové zobrazení."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgstr "Aktualizuje konfigurace z Cura 4.11 na Cura 4.12."
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
-msgstr "Rentgenový pohled"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr "Aktualizace verze 4.11 na 4.12"
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr "Aktualizuje konfigurace z Cura 3.3 na Cura 3.4."
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr "Aktualizace verze 3.3 na 3.4"
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr "Aktualizuje konfigurace z Cura 3.0 na Cura 3.1."
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr "Aktualizace verze 3.0 na 3.1"
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr "Aktualizuje konfigurace z Cura 4.0 na Cura 4.1."
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr "Aktualizace verze 4.0 na 4.1"
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr "Aktualizuje konfigurace z Cura 4.4 na Cura 4.5."
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr "Aktualizace verze 4.4 na 4.5"
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr "Aktualizuje konfigurace z Cura 2.2 na Cura 2.4."
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr "Aktualizace verze 2.2 na 2.4"
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr "Aktualizuje konfigurace z Cura 4.1 na Cura 4.2."
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr "Aktualizace verze 4.1 na 4.2"
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr "Aktualizuje konfigurace z Cura 3.5 na Cura 4.0."
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr "Aktualizace verze 3.5 na 4.0"
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr "Spravuje síťová připojení k síťovým tiskárnám Ultimaker."
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr "Síťové připojení Ultimaker"
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr "Poskytuje podporu pro čtení souborů modelu."
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr "Čtečka trimesh"
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr "Poskytuje podporu pro čtení balíčků formátu Ultimaker."
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr "Čtečka UFP"
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr "Poskytuje normální zobrazení pevné sítě."
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr "Solid View"
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr "Poskytuje podporu pro psaní souborů 3MF."
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr "Zapisovač 3MF"
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr "Poskytuje monitorovací scénu v Cuře."
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr "Fáze monitoringu"
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid "Checks models and print configuration for possible printing issues and give suggestions."
+msgstr "Zkontroluje možné tiskové modely a konfiguraci tisku a poskytne návrhy."
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
+msgstr "Kontroler modelu"
#~ msgctxt "@info:status"
#~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account."
diff --git a/resources/i18n/cs_CZ/fdmextruder.def.json.po b/resources/i18n/cs_CZ/fdmextruder.def.json.po
index 7c049e9260..3dbaac522c 100644
--- a/resources/i18n/cs_CZ/fdmextruder.def.json.po
+++ b/resources/i18n/cs_CZ/fdmextruder.def.json.po
@@ -5,9 +5,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: 2020-02-20 17:30+0100\n"
"Last-Translator: DenyCZ \n"
"Language-Team: DenyCZ \n"
diff --git a/resources/i18n/cs_CZ/fdmprinter.def.json.po b/resources/i18n/cs_CZ/fdmprinter.def.json.po
index 5ca79b0fec..879acc0598 100644
--- a/resources/i18n/cs_CZ/fdmprinter.def.json.po
+++ b/resources/i18n/cs_CZ/fdmprinter.def.json.po
@@ -5,9 +5,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: 2021-04-04 19:37+0200\n"
"Last-Translator: Miroslav Šustek \n"
"Language-Team: DenyCZ \n"
@@ -153,6 +153,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr "Hlouba (Isa Y) plochy k tisku."
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr "Výška zařízení"
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr "Výška (Osa Z) plochy k tisku."
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -193,16 +203,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr "Hliník"
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr "Výška zařízení"
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr "Výška (Osa Z) plochy k tisku."
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -560,8 +560,8 @@ msgstr "Maximální rychlost pro motor ve směru Z."
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
-msgstr "Maximální feedrate"
+msgid "Maximum Speed E"
+msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e description"
@@ -1730,7 +1730,7 @@ msgstr "Výplňový vzor"
#: fdmprinter.def.json
msgctxt "infill_pattern description"
-msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -1771,7 +1771,7 @@ msgstr "Oktet"
#: fdmprinter.def.json
msgctxt "infill_pattern option quarter_cubic"
msgid "Quarter Cubic"
-msgstr "Čtvrtina krychlove"
+msgstr "Čtvrtinově krychlový"
#: fdmprinter.def.json
msgctxt "infill_pattern option concentric"
@@ -1781,7 +1781,7 @@ msgstr "Soustředný"
#: fdmprinter.def.json
msgctxt "infill_pattern option zigzag"
msgid "Zig Zag"
-msgstr "Zig Zag"
+msgstr "Cik-cak"
#: fdmprinter.def.json
msgctxt "infill_pattern option cross"
@@ -1801,7 +1801,7 @@ msgstr "Gyroid"
#: fdmprinter.def.json
msgctxt "infill_pattern option lightning"
msgid "Lightning"
-msgstr ""
+msgstr "Bleskový"
#: fdmprinter.def.json
msgctxt "zig_zaggify_infill label"
@@ -2020,41 +2020,41 @@ msgstr "Počet výplňových vrstev, které podporují okraje povrchu."
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle label"
msgid "Lightning Infill Support Angle"
-msgstr ""
+msgstr "Úhel podpory bleskové výplně"
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle description"
msgid "Determines when a lightning infill layer has to support anything above it. Measured in the angle given the thickness of a layer."
-msgstr ""
+msgstr "Určuje, kdy má vrstva bleskové výplně nad sebou něco, co má podporovat. Zadává se jako úhel a řídí se tloušťkou vrstvy."
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle label"
msgid "Lightning Infill Overhang Angle"
-msgstr ""
+msgstr "Úhel převisu bleskové podpory"
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle description"
msgid "Determines when a lightning infill layer has to support the model above it. Measured in the angle given the thickness."
-msgstr ""
+msgstr "Určuje, od jakého úhlu převisu bude vrstva bleskové výplň podporovat model nad sebou."
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle label"
msgid "Lightning Infill Prune Angle"
-msgstr ""
+msgstr "Úhel ústupu bleskové vrstvy"
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle label"
msgid "Lightning Infill Straightening Angle"
-msgstr ""
+msgstr "Úhel vyrovnávání bleskové vrstvy"
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
@@ -3250,7 +3250,7 @@ msgstr "Vše"
#: fdmprinter.def.json
msgctxt "retraction_combing option no_outer_surfaces"
msgid "Not on Outer Surface"
-msgstr ""
+msgstr "Ne na vnějším povrchu"
#: fdmprinter.def.json
msgctxt "retraction_combing option noskin"
@@ -5204,7 +5204,7 @@ msgstr "Minimální šířka formy"
#: fdmprinter.def.json
msgctxt "mold_width description"
msgid "The minimal distance between the outside of the mold and the outside of the model."
-msgstr ""
+msgstr "Minimální vzdálenost mezi vnější stranou formy a modelu."
#: fdmprinter.def.json
msgctxt "mold_roof_height label"
@@ -6480,6 +6480,22 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Transformační matice, která se použije na model při načítání ze souboru."
+#~ msgctxt "machine_max_feedrate_e label"
+#~ msgid "Maximum Feedrate"
+#~ msgstr "Maximální feedrate"
+
+#~ msgctxt "infill_pattern description"
+#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+#~ msgstr "Vzor výplňového materiálu tisku. Čáry a cik-cak s každou vrstvou obracejí směr výplně, čímž se snižují náklady na materiál. Mřížka, trojúhelník, tri-hexagon, krychle, oktet, čtvrtinově krychlový, křížový a soustředný vzor jsou plně vytištěny v každé vrstvě. Vzory gyroid, krychlový, čtvrtinově krychlový a oktet se mění s každou vrstvou, aby se zajistilo rovnoměrnější rozložení síly v každém směru. Bleskový vzor se snaží minimalizovat množství výplně tím, že podporuje pouze horní povrchy objektu. U bleskového vzoru má procento význam pouze v první vrstvě pod každým povrchem."
+
+#~ msgctxt "lightning_infill_prune_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+#~ msgstr "Určuje, pod jakým úhlem mezi jednotlivými vrstvami se větve bleskové výplně zkracují."
+
+#~ msgctxt "lightning_infill_straightening_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+#~ msgstr "Určuje, pod jakým úhlem mezi jednotlivými vrstvami může docházet k vyrovnávání větví bleskové výplně."
+
#~ msgctxt "infill_pattern description"
#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
#~ msgstr "Vzor výplňového materiálu tisku. Směr a cik-cak vyplňují směr výměny na alternativních vrstvách, čímž se snižují náklady na materiál. Mřížka, trojúhelník, tri-hexagon, krychlový, oktet, čtvrtý krychlový, křížový a soustředný obrazec jsou plně vytištěny v každé vrstvě. Výplň Gyroid, krychlový, kvartální a oktet se mění s každou vrstvou, aby se zajistilo rovnoměrnější rozložení síly v každém směru."
diff --git a/resources/i18n/cura.pot b/resources/i18n/cura.pot
index 8181654643..629b2c3a6a 100644
--- a/resources/i18n/cura.pot
+++ b/resources/i18n/cura.pot
@@ -7,8 +7,8 @@
msgid ""
msgstr ""
"Project-Id-Version: PACKAGE VERSION\n"
-"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
+"Report-Msgid-Bugs-To: \n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME \n"
"Language-Team: LANGUAGE \n"
@@ -18,223 +18,464 @@ msgstr ""
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=INTEGER; plural=EXPRESSION;\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid ""
-"The printer(s) below cannot be connected because they are part of a group"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
-#, python-brace-format
-msgctxt "@label {0} is the name of a printer that's about to be deleted."
-msgid "Are you sure you wish to remove {0}? This cannot be undone!"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
-msgctxt "@label"
-msgid "Default"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid ""
-"The visual profile is designed to print visual prototypes and models with "
-"the intent of high visual and surface quality."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid ""
-"The engineering profile is designed to print functional prototypes and end-"
-"use parts with the intent of better accuracy and for closer tolerances."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid ""
-"The draft profile is designed to print initial prototypes and concept "
-"validation with the intent of significant print time reduction."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
msgctxt "@action:button"
msgid ""
"Please sync the material profiles with your printers before starting to "
"print."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
msgctxt "@action:button"
msgid "New materials installed"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
msgctxt "@action:button"
msgid "Sync materials with printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
msgctxt "@action:button"
msgid "Learn more"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
msgctxt "@message:text"
msgid "Could not save material archive to {}:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
msgctxt "@message:title"
msgid "Failed to save material archive"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
-msgctxt "@label"
-msgid "Custom profiles"
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "All Supported Types ({0})"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
-msgctxt "@item:inlistbox"
-msgid "All Files (*)"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
-msgctxt "@info:title"
-msgid "Login failed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
-msgctxt "@info:status"
-msgid "Finding new location for objects"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
-msgctxt "@info:title"
-msgid "Finding Location"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
-msgctxt "@info:status"
-msgid "Unable to find a location within the build volume for all objects"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
-msgctxt "@info:title"
-msgid "Can't Find Location"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
msgctxt "@info:status"
msgid ""
"The build volume height has been reduced due to the value of the \"Print "
"Sequence\" setting to prevent the gantry from colliding with printed models."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
msgctxt "@info:title"
msgid "Build Volume"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
+#, python-brace-format
+msgctxt "@label {0} is the name of a printer that's about to be deleted."
+msgid "Are you sure you wish to remove {0}? This cannot be undone!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid ""
+"The printer(s) below cannot be connected because they are part of a group"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
+msgctxt "@label"
+msgid "Default"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
+msgctxt "@label"
+msgid "Custom profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
+#, python-brace-format
+msgctxt "@item:inlistbox"
+msgid "All Supported Types ({0})"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
+msgctxt "@item:inlistbox"
+msgid "All Files (*)"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid ""
+"The visual profile is designed to print visual prototypes and models with "
+"the intent of high visual and surface quality."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid ""
+"The engineering profile is designed to print functional prototypes and end-"
+"use parts with the intent of better accuracy and for closer tolerances."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid ""
+"The draft profile is designed to print initial prototypes and concept "
+"validation with the intent of significant print time reduction."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
+msgctxt "@info:title"
+msgid "Login failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
+msgctxt "@info:status"
+msgid "Finding new location for objects"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
+msgctxt "@info:title"
+msgid "Finding Location"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
+msgctxt "@info:status"
+msgid "Unable to find a location within the build volume for all objects"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
+msgctxt "@info:title"
+msgid "Can't Find Location"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid ""
+"Failed to connect to Digital Factory to sync materials with some of the "
+"printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt ""
+"@info 'width', 'depth' and 'height' are variable names that must NOT be "
+"translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
+msgctxt "@info:title"
+msgid "Warning"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right."
@@ -249,32 +490,32 @@ msgid ""
" "
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"
A fatal error has occurred in Cura. Please send us this Crash Report "
@@ -284,221 +525,186 @@ msgid ""
" "
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt ""
-"@info 'width', 'depth' and 'height' are variable names that must NOT be "
-"translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid ""
"Unable to start a new sign in process. Check if another sign in attempt is "
"still active."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid ""
+"Settings have been changed to match the current availability of extruders:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid ""
@@ -506,20 +712,20 @@ msgid ""
"overwrite it?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid ""
"Failed to export profile to {0}: {1}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid ""
@@ -527,44 +733,44 @@ msgid ""
"failure."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid ""
"Can't import profile from {0} before a printer is added."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid ""
@@ -572,51 +778,51 @@ msgid ""
"import it."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid ""
@@ -624,7 +830,7 @@ msgid ""
"definition '{1}'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid ""
@@ -633,179 +839,201 @@ msgid ""
"combination that can use this quality type."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
+msgid "Per Model Settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid ""
-"Settings have been changed to match the current availability of extruders:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
+msgid "Backups"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
+msgid "Saving"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and "
-"material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability."
-"p>\n"
-"
View print quality "
-"guide
"
+msgid "Could not save to removable drive {0}: {1}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid ""
@@ -814,12 +1042,12 @@ msgid ""
"instead."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid ""
@@ -827,20 +1055,20 @@ msgid ""
"."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid ""
"Project file {0} is corrupt: {1}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid ""
@@ -848,146 +1076,95 @@ msgid ""
"unknown to this version of Ultimaker Cura."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid ""
-"The operating system does not allow saving a project file to this location "
-"or with this file name."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
+msgid "Ultimaker Format Package"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
+msgid "G-code File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
+msgid "Preview"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid ""
"Slicing failed with an unexpected error. Please consider reporting a bug on "
"our issue tracker."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid ""
"Unable to slice with the current material as it is incompatible with the "
"selected machine or configuration."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid ""
@@ -995,7 +1172,7 @@ msgid ""
"errors: {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid ""
@@ -1003,13 +1180,13 @@ msgid ""
"errors on one or more models: {error_labels}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid ""
"Unable to slice because the prime tower or prime position(s) are invalid."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid ""
@@ -1017,7 +1194,7 @@ msgid ""
"%s."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -1026,29 +1203,139 @@ msgid ""
"- Are not all set as modifier meshes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
+msgid "AMF File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid ""
+"A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid ""
+"A print is still in progress. Cura cannot start another print via USB until "
+"the previous print has completed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid ""
+"Make sure the g-code is suitable for your printer and printer configuration "
+"before sending the file to it. The g-code representation may not be accurate."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt ""
"@info Don't translate {machine_name}, since it gets replaced by a printer "
@@ -1059,451 +1346,308 @@ msgid ""
"printer to version {latest_version}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid ""
-"Make sure the g-code is suitable for your printer and printer configuration "
-"before sending the file to it. The g-code representation may not be accurate."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid ""
-"The highlighted areas indicate either missing or extraneous surfaces. Fix "
-"your model and open it again into Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
+msgid "Layer view"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
+msgid "Connect via Network"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid ""
+"You are attempting to connect to a printer that is not running Ultimaker "
+"Connect. Please update the printer to the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Cura has detected material profiles that were not yet installed on the host "
+"printer of group {0}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"You are attempting to connect to {0} but it is not the host of a group. You "
+"can visit the web page to configure it as a group host."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
+msgid "Configure group"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting "
+"your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1511,71 +1655,71 @@ msgid_plural "... and {0} others"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1589,7 +1733,7 @@ msgid_plural ""
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be "
@@ -1597,458 +1741,442 @@ msgid ""
"Are you sure you want to continue?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
-#, python-brace-format
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting "
-"your printer to Digital Factory"
+"The highlighted areas indicate either missing or extraneous surfaces. Fix "
+"your model and open it again into Cura."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
+msgid "Model Errors"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid ""
-"You are attempting to connect to a printer that is not running Ultimaker "
-"Connect. Please update the printer to the latest firmware."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid ""
-"Cura has detected material profiles that were not yet installed on the host "
-"printer of group {0}."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid ""
-"You are attempting to connect to {0} but it is not the host of a group. You "
-"can visit the web page to configure it as a group host."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
msgctxt "@item:inmenu"
-msgid "USB printing"
+msgid "Solid view"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid ""
+"The operating system does not allow saving a project file to this location "
+"or with this file name."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
+#, python-brace-format
msgctxt "@info:status"
-msgid "Connected via USB"
+msgid ""
+"One or more 3D models may not print optimally due to the model size and "
+"material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability."
+"p>\n"
+"
View print quality "
+"guide
"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid ""
-"A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgid "Mesh Type"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid ""
-"A print is still in progress. Cura cannot start another print via USB until "
-"the previous print has completed."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
+msgid "Infill mesh only"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "X-Ray view"
+msgid "Cutting mesh"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid ""
-"Some things could be problematic in this print. Click to see tips for "
-"adjustment."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
-msgctxt "@title:window"
-msgid "Open Project"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
-msgctxt "@action:ComboBox Update/override existing profile"
-msgid "Update existing"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
-msgctxt "@action:ComboBox Save settings in a new profile"
-msgid "Create new"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
-msgctxt "@action:title"
-msgid "Summary - Cura Project"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
-msgctxt "@action:label"
-msgid "Printer settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
-msgctxt "@info:tooltip"
-msgid "How should the conflict in the machine be resolved?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
-msgctxt "@action:label"
-msgid "Type"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-msgctxt "@action:label"
-msgid "Printer Group"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
-msgctxt "@action:label"
-msgid "Profile settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
-msgctxt "@info:tooltip"
-msgid "How should the conflict in the profile be resolved?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
-msgctxt "@action:label"
-msgid "Name"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
-msgctxt "@action:label"
-msgid "Intent"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
-msgctxt "@action:label"
-msgid "Not in profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
-msgctxt "@action:label"
-msgid "%1 override"
-msgid_plural "%1 overrides"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
-msgctxt "@action:label"
-msgid "Derivative from"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
-msgctxt "@action:label"
-msgid "%1, %2 override"
-msgid_plural "%1, %2 overrides"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
-msgctxt "@action:label"
-msgid "Material settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
-msgctxt "@info:tooltip"
-msgid "How should the conflict in the material be resolved?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
-msgctxt "@action:label"
-msgid "Setting visibility"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
-msgctxt "@action:label"
-msgid "Mode"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
-msgctxt "@action:label"
-msgid "Visible settings:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
-msgctxt "@action:label"
-msgid "%1 out of %2"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
-msgctxt "@action:warning"
-msgid "Loading a project will clear all models on the build plate."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
msgctxt "@action:button"
-msgid "Open"
+msgid "Select settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
msgctxt "@button"
msgid "Want more?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
msgctxt "@button"
msgid "Backup Now"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
msgctxt "@checkbox:description"
msgid "Auto Backup"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
msgctxt "@checkbox:description"
msgid "Automatically create a backup each day that Cura is started."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
msgctxt "@button"
msgid "Restore"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
msgctxt "@dialog:title"
msgid "Delete Backup"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
msgctxt "@dialog:info"
msgid "Are you sure you want to delete this backup? This cannot be undone."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
msgctxt "@dialog:title"
msgid "Restore Backup"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
msgctxt "@dialog:info"
msgid ""
"You will need to restart Cura before your backup is restored. Do you want to "
"close Cura now?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
-msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
msgctxt "@title"
msgid "My Backups"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
msgctxt "@empty_state"
msgid ""
"You don't have any backups currently. Use the 'Backup Now' button to create "
"one."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
msgctxt "@backup_limit_info"
msgid ""
"During the preview phase, you'll be limited to 5 visible backups. Remove a "
"backup to see older ones."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
msgctxt "@title"
msgid "Update Firmware"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
msgctxt "@label"
msgid ""
"Firmware is the piece of software running directly on your 3D printer. This "
@@ -2056,122 +2184,289 @@ msgid ""
"makes your printer work."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
msgctxt "@label"
msgid ""
"The firmware shipping with new printers works, but new versions tend to have "
"more features and improvements."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
msgctxt "@action:button"
msgid "Automatically upgrade Firmware"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
msgctxt "@action:button"
msgid "Upload custom Firmware"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
msgctxt "@label"
msgid ""
"Firmware can not be updated because there is no connection with the printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
msgctxt "@label"
msgid ""
"Firmware can not be updated because the connection with the printer does not "
"support upgrading firmware."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
msgctxt "@title:window"
msgid "Select custom firmware"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
msgctxt "@title:window"
msgid "Firmware Update"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
msgctxt "@label"
msgid "Updating firmware."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
msgctxt "@label"
msgid "Firmware update completed."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
msgctxt "@label"
msgid "Firmware update failed due to an unknown error."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
msgctxt "@label"
msgid "Firmware update failed due to an communication error."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
msgctxt "@label"
msgid "Firmware update failed due to an input/output error."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
msgctxt "@label"
msgid "Firmware update failed due to missing firmware."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+msgctxt "@title:window"
+msgid "Open Project"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+msgctxt "@action:ComboBox Update/override existing profile"
+msgid "Update existing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+msgctxt "@action:ComboBox Save settings in a new profile"
+msgid "Create new"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+msgctxt "@action:title"
+msgid "Summary - Cura Project"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+msgctxt "@action:label"
+msgid "Printer settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+msgctxt "@info:tooltip"
+msgid "How should the conflict in the machine be resolved?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+msgctxt "@action:label"
+msgid "Type"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+msgctxt "@action:label"
+msgid "Printer Group"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+msgctxt "@action:label"
+msgid "Profile settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+msgctxt "@info:tooltip"
+msgid "How should the conflict in the profile be resolved?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+msgctxt "@action:label"
+msgid "Name"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+msgctxt "@action:label"
+msgid "Intent"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+msgctxt "@action:label"
+msgid "Not in profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+msgctxt "@action:label"
+msgid "%1 override"
+msgid_plural "%1 overrides"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+msgctxt "@action:label"
+msgid "Derivative from"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+msgctxt "@action:label"
+msgid "%1, %2 override"
+msgid_plural "%1, %2 overrides"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+msgctxt "@action:label"
+msgid "Material settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+msgctxt "@info:tooltip"
+msgid "How should the conflict in the material be resolved?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+msgctxt "@action:label"
+msgid "Setting visibility"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+msgctxt "@action:label"
+msgid "Mode"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+msgctxt "@action:label"
+msgid "Visible settings:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+msgctxt "@action:label"
+msgid "%1 out of %2"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+msgctxt "@action:warning"
+msgid "Loading a project will clear all models on the build plate."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+msgctxt "@action:button"
+msgid "Open"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
+msgctxt "@title:window"
+msgid "Post Processing Plugin"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
+msgctxt "@label"
+msgid "Post Processing Scripts"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
+msgctxt "@label"
+msgid "Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid ""
"For lithophanes dark pixels should correspond to thicker locations in order "
@@ -2180,35 +2475,35 @@ msgid ""
"the generated 3D model."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid ""
"For lithophanes a simple logarithmic model for translucency is available. "
"For height maps the pixel values correspond to heights linearly."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid ""
"The percentage of light penetrating a print with a thickness of 1 "
@@ -2216,734 +2511,44 @@ msgid ""
"decreases the contrast in light regions of the image."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
-msgctxt "@title:tab"
-msgid "Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
msgctxt "@label"
-msgid "Nozzle size"
+msgid "Please select any upgrades made to this Ultimaker Original"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
msgctxt "@label"
-msgid "mm"
+msgid "Heated Build Plate (official kit or self-built)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
-msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
-msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
-msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
-msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
-msgctxt "@label"
-msgid "X (Width)"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
-msgctxt "@label"
-msgid "Y (Depth)"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
-msgctxt "@label"
-msgid "Z (Height)"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
-msgctxt "@label"
-msgid "Build plate shape"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
-msgctxt "@label"
-msgid "Origin at center"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
-msgctxt "@label"
-msgid "Heated bed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
-msgctxt "@label"
-msgid "Heated build volume"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
-msgctxt "@label"
-msgid "G-code flavor"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
-msgctxt "@label"
-msgid "X min"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
-msgctxt "@label"
-msgid "Y min"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
-msgctxt "@label"
-msgid "X max"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
-msgctxt "@label"
-msgid "Y max"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
-msgctxt "@label"
-msgid "Gantry Height"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
-msgctxt "@label"
-msgid "Number of Extruders"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
-msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
-msgctxt "@info"
-msgid ""
-"Please make sure your printer has a connection:\n"
-"- Check if the printer is turned on.\n"
-"- Check if the printer is connected to the network.\n"
-"- Check if you are signed in to discover cloud-connected printers."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
-msgctxt "@info"
-msgid "Please connect your printer to the network."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
-msgctxt "@label link to technical assistance"
-msgid "View user manuals online"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
-msgctxt "@info"
-msgid "In order to monitor your print from Cura, please connect the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
-msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
-msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid ""
-"Ultimaker Cura collects anonymous data in order to improve the print quality "
-"and user experience. Below is an example of all the data that is shared:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
-msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
-msgctxt "@label"
-msgid "Search materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Downgrade"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid ""
-"The following packages can not be installed because of an incompatible Cura "
-"version:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid ""
-"You are uninstalling materials and/or profiles that are still in use. "
-"Confirming will reset the following materials/profiles to their defaults."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid ""
-"Could not connect to the Cura Package database. Please check your connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid ""
-"Please sign in to get verified plugins and materials for Ultimaker Cura "
-"Enterprise"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
-msgid "Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
msgctxt "@title"
msgid "Build Plate Leveling"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
msgctxt "@label"
msgid ""
"To make sure your prints will come out great, you can now adjust your "
@@ -2951,7 +2556,7 @@ msgid ""
"the different positions that can be adjusted."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
msgctxt "@label"
msgid ""
"For every position; insert a piece of paper under the nozzle and adjust the "
@@ -2959,32 +2564,696 @@ msgid ""
"paper is slightly gripped by the tip of the nozzle."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
msgctxt "@action:button"
msgid "Start Build Plate Leveling"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
msgctxt "@action:button"
msgid "Move to Next Position"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid ""
+"Ultimaker Cura collects anonymous data in order to improve the print quality "
+"and user experience. Below is an example of all the data that is shared:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
+msgctxt "@title:tab"
+msgid "Plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
+msgctxt "@label"
+msgid "Will install upon restarting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
+msgctxt "@label"
+msgid "Community Contributions"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
+msgctxt "@label"
+msgid "Community Plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
+msgctxt "@label"
+msgid "Generic Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
+msgctxt "@label"
+msgid "Website"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
+msgctxt "@label"
+msgid "Email"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid ""
+"Please sign in to get verified plugins and materials for Ultimaker Cura "
+"Enterprise"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
+msgctxt "@label"
+msgid "Version"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
+msgctxt "@label"
+msgid "Last updated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
+msgctxt "@label"
+msgid "Brand"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
+msgctxt "@label"
+msgid "Downloads"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid ""
+"Could not connect to the Cura Package database. Please check your connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
+msgctxt "@label"
+msgid "You need to accept the license to install the package"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
+msgctxt "@label"
+msgid "The following packages will be added:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
+msgctxt "@label"
+msgid ""
+"The following packages can not be installed because of an incompatible Cura "
+"version:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid ""
+"You are uninstalling materials and/or profiles that are still in use. "
+"Confirming will reset the following materials/profiles to their defaults."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
+msgctxt "@label"
+msgid "Color scheme"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
+msgctxt "@label"
+msgid "Compatibility Mode"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
+msgctxt "@label"
+msgid "Travels"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
+msgctxt "@label"
+msgid "Helpers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
+msgctxt "@label"
+msgid "Shell"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
+msgctxt "@label"
+msgid "Infill"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
+msgctxt "@label"
+msgid "Starts"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
+msgctxt "@label"
+msgid "Only Show Top Layers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid ""
+"Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click "
+"\"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural ""
+"The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid ""
+"The printer %1 is assigned, but the job contains an unknown material "
+"configuration."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid ""
+"Override will use the specified settings with the existing printer "
+"configuration. This may result in a failed print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
msgctxt "@title:window"
msgid "Connect to Networked Printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
msgctxt "@label"
msgid ""
"To print directly to your printer over the network, please make sure your "
@@ -2994,1155 +3263,776 @@ msgid ""
"printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
msgctxt "@label"
msgid "Select your printer from the list below:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
msgctxt "@action:button"
msgid "Edit"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
msgctxt "@action:button"
msgid "Remove"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
msgctxt "@action:button"
msgid "Refresh"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
msgctxt "@label"
msgid ""
"If your printer is not listed, read the network printing "
"troubleshooting guide"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
msgctxt "@label"
msgid "Type"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
msgctxt "@label"
msgid "Firmware version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
msgctxt "@label"
msgid "Address"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
msgctxt "@label"
msgid "This printer is not set up to host a group of printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
msgctxt "@label"
msgid "This printer is the host for a group of %1 printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
msgctxt "@label"
msgid "The printer at this address has not yet responded."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
msgctxt "@action:button"
msgid "Connect"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
msgctxt "@title:window"
msgid "Invalid IP address"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
msgctxt "@text"
msgid "Please enter a valid IP address."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
msgctxt "@title:window"
msgid "Printer Address"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
msgctxt "@label"
msgid "Enter the IP address of your printer on the network."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural ""
-"The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid ""
-"The printer %1 is assigned, but the job contains an unknown material "
-"configuration."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid ""
-"Override will use the specified settings with the existing printer "
-"configuration. This may result in a failed print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
msgctxt "@label"
msgid "Move to top"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
msgctxt "@label"
msgid "Delete"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
msgctxt "@label"
msgid "Resume"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
msgctxt "@label"
msgid "Pausing..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
msgctxt "@label"
msgid "Resuming..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
msgctxt "@label"
msgid "Pause"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
msgctxt "@label"
msgid "Aborting..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
msgctxt "@label"
msgid "Abort"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
msgctxt "@label %1 is the name of a print job."
msgid "Are you sure you want to move %1 to the top of the queue?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
msgctxt "@window:title"
msgid "Move print job to top"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
msgctxt "@label %1 is the name of a print job."
msgid "Are you sure you want to delete %1?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
msgctxt "@window:title"
msgid "Delete print job"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
msgctxt "@label %1 is the name of a print job."
msgid "Are you sure you want to abort %1?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
msgctxt "@window:title"
msgid "Abort print"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
-"Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click "
-"\"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+"Please make sure your printer has a connection:\n"
+"- Check if the printer is turned on.\n"
+"- Check if the printer is connected to the network.\n"
+"- Check if you are signed in to discover cloud-connected printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
+msgctxt "@info"
+msgid "Please connect your printer to the network."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
+msgctxt "@label link to technical assistance"
+msgid "View user manuals online"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
+msgctxt "@info"
+msgid "In order to monitor your print from Cura, please connect the printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
+msgctxt "@info:tooltip"
+msgid ""
+"Some things could be problematic in this print. Click to see tips for "
+"adjustment."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
+msgctxt "@info:tooltip"
+msgid "3D View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
+msgctxt "@info:tooltip"
+msgid "Front View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Untitled"
+msgid "Object list"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Details"
+msgid "Marketplace"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Print over network"
+msgid "New project"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+"Are you sure you want to start a new project? This will clear the build "
+"plate and any unsaved settings."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
+msgid "Time estimation"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
msgid ""
-"We have found one or more G-Code files within the files you have selected. "
-"You can only open one G-Code file at a time. If you want to open a G-Code "
-"file, please just select only one."
+"This printer cannot be added because it's an unknown printer or it's not the "
+"host of a group."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid ""
+"Please follow these steps to set up Ultimaker Cura. This will only take a "
+"few moments."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid ""
+"Ultimaker Cura collects anonymous data to improve print quality and user "
+"experience, including:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid ""
+"Data collected by Ultimaker Cura will not contain any personal information."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
msgid "What's New"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
"Cura proudly uses the following open source projects:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
+msgid "Open file(s)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
-msgctxt "@text:window"
-msgid ""
-"This is a Cura project file. Would you like to open it as a project or "
-"import the models from it?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
-msgctxt "@action:button"
-msgid "Open as project"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
-msgctxt "@action:button"
-msgid "Import models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
-msgctxt "@title:window"
-msgid "Discard or Keep changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
-msgctxt "@text:window, %1 is a profile name"
-msgid ""
-"You have customized some profile settings.\n"
-"Would you like to Keep these changed settings after switching profiles?\n"
-"Alternatively, you can discard the changes to load the defaults from '%1'."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
-msgctxt "@title:column"
-msgid "Profile settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
-msgctxt "@title:column"
-msgid "Current changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
-msgctxt "@option:discardOrKeep"
-msgid "Always ask me this"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
-msgctxt "@option:discardOrKeep"
-msgid "Discard and never ask again"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
-msgctxt "@option:discardOrKeep"
-msgid "Keep and never ask again"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
-msgctxt "@action:button"
-msgid "Discard changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
-msgctxt "@action:button"
-msgid "Keep changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
msgid ""
"We have found one or more project file(s) within the files you have "
@@ -4150,1268 +4040,202 @@ msgid ""
"import models from those files. Would you like to proceed?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
msgid "Import all as models"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
msgctxt "@title:window"
msgid "Save Project"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
msgctxt "@action:label"
msgid "Extruder %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
msgctxt "@action:label"
msgid "%1 & material"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
msgctxt "@action:label"
msgid "Material"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
msgctxt "@action:label"
msgid "Don't show project summary on save again"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
msgid "Save"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
-msgid "New project"
+msgid "Discard or Keep changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+msgctxt "@text:window, %1 is a profile name"
msgid ""
-"Are you sure you want to start a new project? This will clear the build "
-"plate and any unsaved settings."
+"You have customized some profile settings.\n"
+"Would you like to Keep these changed settings after switching profiles?\n"
+"Alternatively, you can discard the changes to load the defaults from '%1'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+msgctxt "@title:column"
+msgid "Profile settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+msgctxt "@title:column"
+msgid "Current changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid ""
-"This configuration is not available because %1 is not recognized. Please "
-"visit %2 to download the correct material profile."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid ""
-"The configurations are not available because the printer is disconnected."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid ""
-"You will need to restart the application for these changes to have effect."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid ""
-"Highlight unsupported areas of the model in red. Without support these areas "
-"will not print properly."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid ""
-"Highlight missing or extraneous surfaces of the model using warning signs. "
-"The toolpaths will often be missing parts of the intended geometry."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid ""
-"Moves the camera so the model is in the center of the view when a model is "
-"selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid ""
-"Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid ""
-"Should models on the platform be moved so that they no longer intersect?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid ""
-"Should opening files from the desktop or external applications open in the "
-"same instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid ""
-"Should the build plate be cleared before loading a new model in the single "
-"instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid ""
-"An model may appear extremely small if its unit is for example in meters "
-"rather than millimeters. Should these models be scaled up?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid ""
-"Should a prefix based on the printer name be added to the print job name "
-"automatically?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
+msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid ""
-"When you have made changes to a profile and switched to a different one, a "
-"dialog will be shown asking whether you want to keep your modifications or "
-"not, or you can choose a default behaviour and never show that dialog again."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid ""
-"Default behavior for changed setting values when switching to a different "
-"profile: "
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
+msgid "Discard and never ask again"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
+msgid "Keep and never ask again"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid ""
-"Should anonymous data about your print be sent to Ultimaker? Note, no "
-"models, IP addresses or other personally identifiable information is sent or "
-"stored."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
-msgid "More information"
+msgid "Discard changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid ""
-"Should an automatic check for new plugins be done every time Cura is "
-"started? It is highly recommended that you do not disable this!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
-msgid "Activate"
+msgid "Keep changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+msgctxt "@text:window"
+msgid ""
+"This is a Cura project file. Would you like to open it as a project or "
+"import the models from it?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Rename"
+msgid "Open as project"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Create"
+msgid "Import models"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid ""
-"Could not import material %1: %2"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid ""
-"Failed to export material to %1: %2"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid ""
-"The new filament diameter is set to %1 mm, which is not compatible with the "
-"current extruder. Do you wish to continue?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
-msgid "Display Name"
+msgid "Active print"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
-msgid "Material Type"
+msgid "Job Name"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
-msgid "Color"
+msgid "Printing Time"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
-msgid "Properties"
+msgid "Estimated time left"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid ""
-"This profile uses the defaults specified by the printer, so it has no "
-"settings/overrides in the list below."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid ""
-"The target temperature of the hotend. The hotend will heat up or cool down "
-"towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid ""
-"Heat the hotend in advance before printing. You can continue adjusting your "
-"print while it is heating, and you won't have to wait for the hotend to heat "
-"up when you're ready to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid ""
-"The target temperature of the heated bed. The bed will heat up or cool down "
-"towards this temperature. If this is 0, the bed heating is turned off."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid ""
-"Heat the bed in advance before printing. You can continue adjusting your "
-"print while it is heating, and you won't have to wait for the bed to heat up "
-"when you're ready to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid ""
-"Send a custom G-code command to the connected printer. Press 'enter' to send "
-"the command."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
msgctxt "@status"
msgid ""
"The cloud printer is offline. Please check if the printer is turned on and "
"connected to the internet."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
msgctxt "@status"
msgid ""
"This printer is not linked to your account. Please visit the Ultimaker "
"Digital Factory to establish a connection."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
msgctxt "@status"
msgid ""
"The cloud connection is currently unavailable. Please sign in to connect to "
"the cloud printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
msgctxt "@status"
msgid ""
"The cloud connection is currently unavailable. Please check your internet "
"connection."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
msgctxt "@button"
msgid "Add printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
msgctxt "@button"
msgid "Manage printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
msgctxt "@label"
msgid "Connected printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
msgctxt "@label"
msgid "Preset printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
msgctxt "@label"
-msgid "Active print"
+msgid "Print settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
-msgctxt "@label"
-msgid "Job Name"
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
-msgctxt "@label"
-msgid "Printing Time"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
-msgctxt "@label"
-msgid "Estimated time left"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the "
@@ -5420,12 +4244,43 @@ msgid ""
"Click to open the profile manager."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt ""
"@label %1 is filled in with the type of a profile. %2 is filled with a list "
"of numbers (eg '1' or '1, 2')"
@@ -5438,117 +4293,1729 @@ msgid_plural ""
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
+msgid "Profiles"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid ""
-"Enable printing a brim or raft. This will add a flat area around or under "
-"your object which is easy to cut off afterwards."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid ""
-"Gradual infill will gradually increase the amount of infill towards the top."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid ""
"You have modified some profile settings. If you want to change these go to "
"custom mode."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid ""
"Generate structures to support parts of the model which have overhangs. "
"Without these structures, such parts would collapse during printing."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated "
-"value.\n"
-"\n"
-"Click to make these settings visible."
+msgid "Gradual infill"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid ""
+"Gradual infill will gradually increase the amount of infill towards the top."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid ""
+"Enable printing a brim or raft. This will add a flat area around or under "
+"your object which is easy to cut off afterwards."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid ""
+"The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid ""
+"The configurations are not available because the printer is disconnected."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid ""
+"This configuration is not available because %1 is not recognized. Please "
+"visit %2 to download the correct material profile."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid ""
+"This profile uses the defaults specified by the printer, so it has no "
+"settings/overrides in the list below."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid ""
+"You will need to restart the application for these changes to have effect."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid ""
+"Highlight unsupported areas of the model in red. Without support these areas "
+"will not print properly."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid ""
+"Highlight missing or extraneous surfaces of the model using warning signs. "
+"The toolpaths will often be missing parts of the intended geometry."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid ""
+"Moves the camera so the model is in the center of the view when a model is "
+"selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid ""
+"Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid ""
+"Should models on the platform be moved so that they no longer intersect?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid ""
+"Should opening files from the desktop or external applications open in the "
+"same instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid ""
+"Should the build plate be cleared before loading a new model in the single "
+"instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid ""
+"An model may appear extremely small if its unit is for example in meters "
+"rather than millimeters. Should these models be scaled up?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid ""
+"Should a prefix based on the printer name be added to the print job name "
+"automatically?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid ""
+"When you have made changes to a profile and switched to a different one, a "
+"dialog will be shown asking whether you want to keep your modifications or "
+"not, or you can choose a default behaviour and never show that dialog again."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid ""
+"Default behavior for changed setting values when switching to a different "
+"profile: "
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid ""
+"Should anonymous data about your print be sent to Ultimaker? Note, no "
+"models, IP addresses or other personally identifiable information is sent or "
+"stored."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid ""
+"Should an automatic check for new plugins be done every time Cura is "
+"started? It is highly recommended that you do not disable this!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid ""
+"The new filament diameter is set to %1 mm, which is not compatible with the "
+"current extruder. Do you wish to continue?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid ""
+"Could not import material %1: %2"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid ""
+"Failed to export material to %1: %2"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid ""
+"Following a few simple steps, you will be able to synchronize all your "
+"material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid ""
+"To automatically sync the material profiles with all your printers connected "
+"to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid ""
+"Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid ""
+"It seems like you don't have any compatible printers connected to Digital "
+"Factory. Make sure your printer is connected and it's running the latest "
+"firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt ""
+"@text In the UI this is followed by a list of steps the user needs to take."
+msgid ""
+"Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid ""
+"Insert the USB stick into your printer and launch the procedure to load new "
+"material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid ""
+"Send a custom G-code command to the connected printer. Press 'enter' to send "
+"the command."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid ""
+"The target temperature of the hotend. The hotend will heat up or cool down "
+"towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid ""
+"Heat the hotend in advance before printing. You can continue adjusting your "
+"print while it is heating, and you won't have to wait for the hotend to heat "
+"up when you're ready to print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid ""
+"The target temperature of the heated bed. The bed will heat up or cool down "
+"towards this temperature. If this is 0, the bed heating is turned off."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid ""
+"Heat the bed in advance before printing. You can continue adjusting your "
+"print while it is heating, and you won't have to wait for the bed to heat up "
+"when you're ready to print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid ""
"This setting is not used because all the settings that it influences are "
"overridden."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid ""
"This setting is always shared between all extruders. Changing it here will "
"change the value for all extruders."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5556,7 +6023,7 @@ msgid ""
"Click to restore the value of the profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value "
@@ -5565,374 +6032,102 @@ msgid ""
"Click to restore the calculated value."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
-msgctxt "@label"
-msgid "View type"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
-msgctxt "@label"
-msgid "Add a Cloud printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
msgid ""
-"This printer cannot be added because it's an unknown printer or it's not the "
-"host of a group."
+"Some hidden settings use values different from their normal calculated "
+"value.\n"
+"\n"
+"Click to make these settings visible."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
-msgid "Release Notes"
+msgid "This package will be installed after restarting."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
msgid ""
-"Ultimaker Cura collects anonymous data to improve print quality and user "
-"experience, including:"
+"We have found one or more G-Code files within the files you have selected. "
+"You can only open one G-Code file at a time. If you want to open a G-Code "
+"file, please just select only one."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid ""
-"Data collected by Ultimaker Cura will not contain any personal information."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid ""
-"Please follow these steps to set up Ultimaker Cura. This will only take a "
-"few moments."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
-msgctxt "@label"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr ""
-
-#: ModelChecker/plugin.json
+#: PerObjectSettingsTool/plugin.json
msgctxt "description"
-msgid ""
-"Checks models and print configuration for possible printing issues and give "
-"suggestions."
+msgid "Provides the Per Model Settings."
msgstr ""
-#: ModelChecker/plugin.json
+#: PerObjectSettingsTool/plugin.json
msgctxt "name"
-msgid "Model Checker"
-msgstr ""
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr ""
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr ""
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr ""
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr ""
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr ""
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr ""
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr ""
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr ""
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr ""
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
+msgid "Per Model Settings Tool"
msgstr ""
#: CuraProfileReader/plugin.json
@@ -5945,116 +6140,24 @@ msgctxt "name"
msgid "Cura Profile Reader"
msgstr ""
-#: CuraProfileWriter/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
+msgid "Provides support for reading X3D files."
msgstr ""
-#: CuraProfileWriter/plugin.json
+#: X3DReader/plugin.json
msgctxt "name"
-msgid "Cura Profile Writer"
+msgid "X3D Reader"
msgstr ""
-#: DigitalLibrary/plugin.json
+#: CuraDrive/plugin.json
msgctxt "description"
-msgid ""
-"Connects to the Digital Library, allowing Cura to open files from and save "
-"files to the Digital Library."
+msgid "Backup and restore your configuration."
msgstr ""
-#: DigitalLibrary/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr ""
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr ""
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr ""
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr ""
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr ""
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr ""
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr ""
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr ""
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr ""
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr ""
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr ""
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr ""
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr ""
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr ""
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr ""
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr ""
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr ""
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr ""
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
+msgid "Cura Backups"
msgstr ""
#: MachineSettingsAction/plugin.json
@@ -6069,54 +6172,15 @@ msgctxt "name"
msgid "Machine Settings Action"
msgstr ""
-#: MonitorStage/plugin.json
+#: SupportEraser/plugin.json
msgctxt "description"
-msgid "Provides a monitor stage in Cura."
+msgid ""
+"Creates an eraser mesh to block the printing of support in certain places"
msgstr ""
-#: MonitorStage/plugin.json
+#: SupportEraser/plugin.json
msgctxt "name"
-msgid "Monitor Stage"
-msgstr ""
-
-#: PerObjectSettingsTool/plugin.json
-msgctxt "description"
-msgid "Provides the Per Model Settings."
-msgstr ""
-
-#: PerObjectSettingsTool/plugin.json
-msgctxt "name"
-msgid "Per Model Settings Tool"
-msgstr ""
-
-#: PostProcessingPlugin/plugin.json
-msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr ""
-
-#: PostProcessingPlugin/plugin.json
-msgctxt "name"
-msgid "Post Processing"
-msgstr ""
-
-#: PrepareStage/plugin.json
-msgctxt "description"
-msgid "Provides a prepare stage in Cura."
-msgstr ""
-
-#: PrepareStage/plugin.json
-msgctxt "name"
-msgid "Prepare Stage"
-msgstr ""
-
-#: PreviewStage/plugin.json
-msgctxt "description"
-msgid "Provides a preview stage in Cura."
-msgstr ""
-
-#: PreviewStage/plugin.json
-msgctxt "name"
-msgid "Preview Stage"
+msgid "Support Eraser"
msgstr ""
#: RemovableDriveOutputDevice/plugin.json
@@ -6129,85 +6193,34 @@ msgctxt "name"
msgid "Removable Drive Output Device Plugin"
msgstr ""
-#: SentryLogger/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "description"
-msgid "Logs certain events so that they can be used by the crash reporter"
+msgid "Provides a machine actions for updating firmware."
msgstr ""
-#: SentryLogger/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "name"
-msgid "Sentry Logger"
+msgid "Firmware Updater"
msgstr ""
-#: SimulationView/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "description"
-msgid "Provides the Simulation view."
+msgid "Provides support for importing profiles from legacy Cura versions."
msgstr ""
-#: SimulationView/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "name"
-msgid "Simulation View"
+msgid "Legacy Cura Profile Reader"
msgstr ""
-#: SliceInfoPlugin/plugin.json
+#: 3MFReader/plugin.json
msgctxt "description"
-msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgid "Provides support for reading 3MF files."
msgstr ""
-#: SliceInfoPlugin/plugin.json
+#: 3MFReader/plugin.json
msgctxt "name"
-msgid "Slice info"
-msgstr ""
-
-#: SolidView/plugin.json
-msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr ""
-
-#: SolidView/plugin.json
-msgctxt "name"
-msgid "Solid View"
-msgstr ""
-
-#: SupportEraser/plugin.json
-msgctxt "description"
-msgid ""
-"Creates an eraser mesh to block the printing of support in certain places"
-msgstr ""
-
-#: SupportEraser/plugin.json
-msgctxt "name"
-msgid "Support Eraser"
-msgstr ""
-
-#: Toolbox/plugin.json
-msgctxt "description"
-msgid "Find, manage and install new Cura packages."
-msgstr ""
-
-#: Toolbox/plugin.json
-msgctxt "name"
-msgid "Toolbox"
-msgstr ""
-
-#: TrimeshReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading model files."
-msgstr ""
-
-#: TrimeshReader/plugin.json
-msgctxt "name"
-msgid "Trimesh Reader"
-msgstr ""
-
-#: UFPReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
-msgstr ""
-
-#: UFPReader/plugin.json
-msgctxt "name"
-msgid "UFP Reader"
+msgid "3MF Reader"
msgstr ""
#: UFPWriter/plugin.json
@@ -6220,6 +6233,137 @@ msgctxt "name"
msgid "UFP Writer"
msgstr ""
+#: SentryLogger/plugin.json
+msgctxt "description"
+msgid "Logs certain events so that they can be used by the crash reporter"
+msgstr ""
+
+#: SentryLogger/plugin.json
+msgctxt "name"
+msgid "Sentry Logger"
+msgstr ""
+
+#: GCodeProfileReader/plugin.json
+msgctxt "description"
+msgid "Provides support for importing profiles from g-code files."
+msgstr ""
+
+#: GCodeProfileReader/plugin.json
+msgctxt "name"
+msgid "G-code Profile Reader"
+msgstr ""
+
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
+msgstr ""
+
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr ""
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr ""
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr ""
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr ""
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr ""
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr ""
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr ""
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr ""
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr ""
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr ""
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr ""
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr ""
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr ""
+
+#: USBPrinting/plugin.json
+msgctxt "description"
+msgid ""
+"Accepts G-Code and sends them to a printer. Plugin can also update firmware."
+msgstr ""
+
+#: USBPrinting/plugin.json
+msgctxt "name"
+msgid "USB printing"
+msgstr ""
+
+#: PrepareStage/plugin.json
+msgctxt "description"
+msgid "Provides a prepare stage in Cura."
+msgstr ""
+
+#: PrepareStage/plugin.json
+msgctxt "name"
+msgid "Prepare Stage"
+msgstr ""
+
+#: GCodeReader/plugin.json
+msgctxt "description"
+msgid "Allows loading and displaying G-code files."
+msgstr ""
+
+#: GCodeReader/plugin.json
+msgctxt "name"
+msgid "G-code Reader"
+msgstr ""
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr ""
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr ""
+
#: UltimakerMachineActions/plugin.json
msgctxt "description"
msgid ""
@@ -6232,45 +6376,96 @@ msgctxt "name"
msgid "Ultimaker machine actions"
msgstr ""
-#: UM3NetworkPrinting/plugin.json
+#: GCodeGzWriter/plugin.json
msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
+msgid "Writes g-code to a compressed archive."
msgstr ""
-#: UM3NetworkPrinting/plugin.json
+#: GCodeGzWriter/plugin.json
msgctxt "name"
-msgid "Ultimaker Network Connection"
+msgid "Compressed G-code Writer"
msgstr ""
-#: USBPrinting/plugin.json
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr ""
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr ""
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "description"
+msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgstr ""
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "name"
+msgid "Slice info"
+msgstr ""
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "description"
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr ""
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "name"
+msgid "Material Profiles"
+msgstr ""
+
+#: DigitalLibrary/plugin.json
msgctxt "description"
msgid ""
-"Accepts G-Code and sends them to a printer. Plugin can also update firmware."
+"Connects to the Digital Library, allowing Cura to open files from and save "
+"files to the Digital Library."
msgstr ""
-#: USBPrinting/plugin.json
+#: DigitalLibrary/plugin.json
msgctxt "name"
-msgid "USB printing"
+msgid "Ultimaker Digital Library"
msgstr ""
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: Toolbox/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgid "Find, manage and install new Cura packages."
msgstr ""
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: Toolbox/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
+msgid "Toolbox"
msgstr ""
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeWriter/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgid "Writes g-code to a file."
msgstr ""
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeWriter/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
+msgid "G-code Writer"
+msgstr ""
+
+#: SimulationView/plugin.json
+msgctxt "description"
+msgid "Provides the Simulation view."
+msgstr ""
+
+#: SimulationView/plugin.json
+msgctxt "name"
+msgid "Simulation View"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.5 to 4.6"
msgstr ""
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
@@ -6283,54 +6478,24 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr ""
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
msgstr ""
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
msgstr ""
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
msgstr ""
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
msgstr ""
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
@@ -6343,44 +6508,44 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr ""
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
msgstr ""
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
+msgid "Version Upgrade 2.1 to 2.2"
msgstr ""
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
msgstr ""
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
msgstr ""
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
msgstr ""
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
+msgid "Version Upgrade 4.8 to 4.9"
msgstr ""
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
msgstr ""
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
msgstr ""
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
@@ -6403,66 +6568,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr ""
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr ""
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6473,32 +6578,174 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr ""
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
msgstr ""
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
+msgid "Version Upgrade 2.7 to 3.0"
msgstr ""
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
msgstr ""
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
+msgid "Version Upgrade 2.6 to 2.7"
msgstr ""
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
msgstr ""
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr ""
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr ""
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr ""
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr ""
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr ""
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr ""
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr ""
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr ""
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr ""
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr ""
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr ""
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr ""
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr ""
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid ""
+"Checks models and print configuration for possible printing issues and give "
+"suggestions."
+msgstr ""
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
msgstr ""
diff --git a/resources/i18n/de_DE/cura.po b/resources/i18n/de_DE/cura.po
index 11b94f2d07..6bd25123f9 100644
--- a/resources/i18n/de_DE/cura.po
+++ b/resources/i18n/de_DE/cura.po
@@ -4,10 +4,10 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
-"PO-Revision-Date: 2021-09-07 07:41+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
+"PO-Revision-Date: 2021-11-08 11:30+0100\n"
"Last-Translator: Lionbridge \n"
"Language-Team: German , German \n"
"Language: de_DE\n"
@@ -17,212 +17,449 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Poedit 3.0\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Unbekannt"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
+msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
-msgstr "Der/die nachfolgende(n) Drucker kann/können nicht verbunden werden, weil er/sie Teil einer Gruppe ist/sind"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
+msgstr "Backup"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
-msgstr "Verfügbare vernetzte Drucker"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
+msgstr "Versucht, ein Cura-Backup-Verzeichnis ohne entsprechende Daten oder Metadaten wiederherzustellen."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
-msgstr "Nicht überschrieben"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr "Versucht, ein Cura-Backup wiederherzustellen, das eine höhere Version als die aktuelle hat."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr "Beim Versuch, ein Backup von Cura wiederherzustellen, trat der folgende Fehler auf:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr "Bitte stimmen Sie die Materialprofile auf Ihre Drucker ab („synchronisieren“), bevor Sie mit dem Drucken beginnen."
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr "Neue Materialien installiert"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr "Materialien mit Druckern synchronisieren"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr "Mehr erfahren"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr "Materialarchiv konnte nicht in {} gespeichert werden:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr "Speichern des Materialarchivs fehlgeschlagen"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "Die Höhe der Druckabmessung wurde aufgrund des Wertes der Einstellung „Druckreihenfolge“ reduziert, um eine Kollision der Brücke mit den gedruckten Modellen zu verhindern."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Produktabmessungen"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr "Möchten Sie {0} wirklich entfernen? Der Vorgang kann nicht rückgängig gemacht werden!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr "Nicht überschrieben"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Unbekannt"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr "Der/die nachfolgende(n) Drucker kann/können nicht verbunden werden, weil er/sie Teil einer Gruppe ist/sind"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr "Verfügbare vernetzte Drucker"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr "Default"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr "Visuell"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr "Das visuelle Profil wurde für den Druck visueller Prototypen und Modellen entwickelt, bei denen das Ziel eine hohe visuelle Qualität und eine hohe Oberflächenqualität ist."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr "Engineering"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr "Das Engineering-Profil ist für den Druck von Funktionsprototypen und Endnutzungsteilen gedacht, bei denen Präzision gefragt ist und engere Toleranzen gelten."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr "Entwurf"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr "Das Entwurfsprofil wurde für erste Prototypen und die Konzeptvalidierung entwickelt, um einen deutlich schnelleren Druck zu ermöglichen."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr "Mehr erfahren"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Benutzerdefiniertes Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Benutzerdefiniert"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Benutzerdefinierte Profile"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Alle unterstützten Typen ({0})"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Alle Dateien (*)"
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr "Visuell"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr "Das visuelle Profil wurde für den Druck visueller Prototypen und Modellen entwickelt, bei denen das Ziel eine hohe visuelle Qualität und eine hohe Oberflächenqualität ist."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr "Engineering"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr "Das Engineering-Profil ist für den Druck von Funktionsprototypen und Endnutzungsteilen gedacht, bei denen Präzision gefragt ist und engere Toleranzen gelten."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr "Entwurf"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr "Das Entwurfsprofil wurde für erste Prototypen und die Konzeptvalidierung entwickelt, um einen deutlich schnelleren Druck zu ermöglichen."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Benutzerdefiniertes Material"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Benutzerdefiniert"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr "Login fehlgeschlagen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Neue Position für Objekte finden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Position finden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "Innerhalb der Druckabmessung für alle Objekte konnte keine Position gefunden werden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "Kann Position nicht finden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr "Konnte kein Archiv von Benutzer-Datenverzeichnis {} erstellen"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr "Backup"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr "Versucht, ein Cura-Backup-Verzeichnis ohne entsprechende Daten oder Metadaten wiederherzustellen."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr "Versucht, ein Cura-Backup wiederherzustellen, das eine höhere Version als die aktuelle hat."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
-msgstr "Beim Versuch, ein Backup von Cura wiederherzustellen, trat der folgende Fehler auf:"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Geräte werden geladen..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr "Erstellungen werden eingerichtet ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr "Aktives Gerät wird initialisiert ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr "Gerätemanager wird initialisiert ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr "Bauraum wird initialisiert ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Die Szene wird eingerichtet..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Die Benutzeroberfläche wird geladen..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr "Funktion wird initialisiert ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "Die Höhe der Druckabmessung wurde aufgrund des Wertes der Einstellung „Druckreihenfolge“ reduziert, um eine Kollision der Brücke mit den gedruckten Modellen zu verhindern."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Es kann nur jeweils ein G-Code gleichzeitig geladen werden. Wichtige {0} werden übersprungen."
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Produktabmessungen"
+msgid "Warning"
+msgstr "Warnhinweis"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "Wenn G-Code geladen wird, kann keine weitere Datei geöffnet werden. Wichtige {0} werden übersprungen."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Fehler"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr "Überspringen"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Schließen"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr "Weiter"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr "Beenden"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Abbrechen"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr "Gruppe #{group_nr}"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Außenwand"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Innenwände"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Außenhaut"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Füllung"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Stützstruktur-Füllung"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Stützstruktur-Schnittstelle"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Stützstruktur"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Skirt"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr "Einzugsturm"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Bewegungen"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Einzüge"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Sonstige"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr "Die Versionshinweise konnten nicht geöffnet werden."
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr "Cura kann nicht starten"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -237,32 +474,32 @@ msgstr ""
"
Senden Sie uns diesen Absturzbericht bitte, um das Problem zu beheben.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr "Absturzbericht an Ultimaker senden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr "Detaillierten Absturzbericht anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr "Konfigurationsordner anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr "Backup und Reset der Konfiguration"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Crash-Bericht"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -273,702 +510,641 @@ msgstr ""
" Verwenden Sie bitte die Schaltfläche „Bericht senden“, um den Fehlerbericht automatisch an unsere Server zu senden
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr "Systeminformationen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr "Unbekannt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr "Cura-Version"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr "Cura-Sprache"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr "Sprache des Betriebssystems"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr "Plattform"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr "Qt Version"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr "PyQt Version"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr "OpenGL"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr "Noch nicht initialisiert
"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr "OpenGL-Version: {version}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr "OpenGL-Anbieter: {vendor}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr "OpenGL-Renderer: {renderer}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr "Fehler-Rückverfolgung"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr "Protokolle"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr "Bericht senden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Geräte werden geladen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr "Erstellungen werden eingerichtet ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr "Aktives Gerät wird initialisiert ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr "Gerätemanager wird initialisiert ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr "Bauraum wird initialisiert ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Die Szene wird eingerichtet..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Die Benutzeroberfläche wird geladen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr "Funktion wird initialisiert ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Es kann nur jeweils ein G-Code gleichzeitig geladen werden. Wichtige {0} werden übersprungen."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Warnhinweis"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "Wenn G-Code geladen wird, kann keine weitere Datei geöffnet werden. Wichtige {0} werden übersprungen."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Fehler"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Objekte vervielfältigen und platzieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr "Objekte platzieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Objekt-Platzierung"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr "Antwort konnte nicht gelesen werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr "Angegebener Status ist falsch."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr "Erteilen Sie bitte die erforderlichen Freigaben bei der Autorisierung dieser Anwendung."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr "Bei dem Versuch, sich anzumelden, trat ein unerwarteter Fehler auf. Bitte erneut versuchen."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr "Es kann kein neuer Anmeldevorgang gestartet werden. Bitte überprüfen Sie, ob noch ein weiterer Anmeldevorgang aktiv ist."
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr "Der Ultimaker-Konto-Server konnte nicht erreicht werden."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr "Angegebener Status ist falsch."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr "Erteilen Sie bitte die erforderlichen Freigaben bei der Autorisierung dieser Anwendung."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr "Bei dem Versuch, sich anzumelden, trat ein unerwarteter Fehler auf. Bitte erneut versuchen."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr "Antwort konnte nicht gelesen werden."
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Objekte vervielfältigen und platzieren"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr "Objekte platzieren"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Objekt-Platzierung"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr "Nicht unterstützt"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr "Default"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Düse"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr "Die Einstellungen wurden an die aktuell verfügbaren Extruder angepasst:"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr "Einstellungen aktualisiert"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr "Extruder deaktiviert"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Datei bereits vorhanden"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "Die Datei {0} ist bereits vorhanden. Soll die Datei wirklich überschrieben werden?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr "Ungültige Datei-URL:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "Export des Profils nach {0} fehlgeschlagen: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "Export des Profils nach {0} fehlgeschlagen: Fehlermeldung von Writer-Plugin."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Profil wurde nach {0} exportiert"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr "Export erfolgreich ausgeführt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr "Import des Profils aus Datei {0}: {1} fehlgeschlagen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr "Import des Profils aus Datei {0} kann erst durchgeführt werden, wenn ein Drucker hinzugefügt wurde."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr "Kein benutzerdefiniertes Profil für das Importieren in Datei {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr "Import des Profils aus Datei {0} fehlgeschlagen:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr "Dieses Profil {0} enthält falsche Daten, Importieren nicht möglich."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr "Import des Profils aus Datei {0} fehlgeschlagen:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr "Profil {0} erfolgreich importiert."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr "Datei {0} enthält kein gültiges Profil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "Profil {0} hat einen unbekannten Dateityp oder ist beschädigt."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Benutzerdefiniertes Profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "Für das Profil fehlt eine Qualitätsangabe."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr "Es ist noch kein Drucker aktiv."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr "Das Profil kann nicht hinzugefügt werden."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr "Der Qualitätstyp „{0}“ ist nicht mit der aktuell aktiven Maschinendefinition „{1}“ kompatibel."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr "Warnung: Das Profil wird nicht angezeigt, weil sein Qualitätstyp „{0}“ für die aktuelle Konfiguration nicht verfügbar ist. Wechseln Sie zu einer Material-/Düsenkombination, die mit diesem Qualitätstyp kompatibel ist."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr "Nicht unterstützt"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr "Default"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Düse"
+msgid "Per Model Settings"
+msgstr "Einstellungen pro Objekt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
-msgstr "Die Einstellungen wurden an die aktuell verfügbaren Extruder angepasst:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Pro Objekteinstellungen konfigurieren"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Cura-Profil"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "X3D-Datei"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr "Beim Versuch, Ihr Backup wiederherzustellen, trat ein Fehler auf."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
-msgstr "Einstellungen aktualisiert"
+msgid "Backups"
+msgstr "Backups"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
-msgstr "Extruder deaktiviert"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
+msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Hinzufügen"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
+msgstr "Ihr Backup wird erstellt..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
-msgstr "Beenden"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Abbrechen"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr "Ihr Backup wird hochgeladen..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr "Ihr Backup wurde erfolgreich hochgeladen."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr "Das Backup überschreitet die maximale Dateigröße."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr "Backups verwalten"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Geräteeinstellungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr "Stützstruktur-Blocker"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr "Erstellt ein Volumen, in dem keine Stützstrukturen gedruckt werden."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Wechseldatenträger"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Speichern auf Wechseldatenträger"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
-msgstr "Gruppe #{group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Auf Wechseldatenträger speichern {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Außenwand"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
+msgstr "Es sind keine Dateiformate zum Schreiben vorhanden!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Innenwände"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Wird auf Wechseldatenträger gespeichert {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Außenhaut"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Füllung"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Stützstruktur-Füllung"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Stützstruktur-Schnittstelle"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Stützstruktur"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Skirt"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr "Einzugsturm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Bewegungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Einzüge"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Sonstige"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr "Die Versionshinweise konnten nicht geöffnet werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr "Weiter"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr "Überspringen"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Schließen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
-msgstr "3D-Modell-Assistent"
+msgid "Saving"
+msgstr "Wird gespeichert"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "Konnte nicht als {0} gespeichert werden: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "Bei dem Versuch, auf {device} zu schreiben, wurde ein Dateiname nicht gefunden."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability.
\n"
-"View print quality guide
"
-msgstr ""
-"Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:
\n"
-"{model_names}
\n"
-"Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.
\n"
-"Leitfaden zu Druckqualität anzeigen
"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "Konnte nicht auf dem Wechseldatenträger gespeichert werden {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Auf Wechseldatenträger {0} gespeichert als {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Datei wurde gespeichert"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Auswerfen"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "Wechseldatenträger auswerfen {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "Ausgeworfen {0}. Sie können den Datenträger jetzt sicher entfernen."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Hardware sicher entfernen"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "Auswurf fehlgeschlagen {0}. Möglicherweise wird das Laufwerk von einem anderen Programm verwendet."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr "Firmware aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Cura 15.04-Profile"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Empfohlen"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Benutzerdefiniert"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
msgstr "Projektdatei {0} enthält einen unbekannten Maschinentyp {1}. Importieren der Maschine ist nicht möglich. Stattdessen werden die Modelle importiert."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr "Projektdatei öffnen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is suddenly inaccessible: {1}."
msgstr "Auf Projektdatei {0} kann plötzlich nicht mehr zugegriffen werden: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr "Projektdatei kann nicht geöffnet werden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is corrupt: {1}."
msgstr "Projektdatei {0} ist beschädigt: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
msgstr "Projektdatei {0} verwendet Profile, die nicht mit dieser Ultimaker Cura-Version kompatibel sind."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Empfohlen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Benutzerdefiniert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr "3MF-Datei"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
-msgstr "Das 3MF-Writer-Plugin ist beschädigt."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
+msgstr "Kann nicht in UFP-Datei schreiben:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr "Keine Erlaubnis zum Beschreiben dieses Arbeitsbereichs."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr "Das Betriebssystem erlaubt es nicht, eine Projektdatei an diesem Speicherort oder mit diesem Dateinamen zu speichern."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr "Fehler beim Schreiben von 3MF-Datei."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "3MF-Datei"
+msgid "Ultimaker Format Package"
+msgstr "Ultimaker Format Package"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Cura-Projekt 3MF-Datei"
+msgid "G-code File"
+msgstr "G-Code-Datei"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr "AMF-Datei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr "Backups"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr "Beim Versuch, Ihr Backup hochzuladen, trat ein Fehler auf."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr "Ihr Backup wird erstellt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr "Beim Erstellen Ihres Backups ist ein Fehler aufgetreten."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr "Ihr Backup wird hochgeladen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr "Ihr Backup wurde erfolgreich hochgeladen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr "Das Backup überschreitet die maximale Dateigröße."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr "Beim Versuch, Ihr Backup wiederherzustellen, trat ein Fehler auf."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
-msgstr "Backups verwalten"
+msgid "Preview"
+msgstr "Vorschau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Röntgen-Ansicht"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Schichten werden verarbeitet"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Informationen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
msgstr "Fehler beim Slicing mit einem unerwarteten Fehler. Bitte denken Sie daran, Fehler in unserem Issue Tracker zu melden."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr "Slicing fehlgeschlagen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr "Einen Fehler melden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr "Einen Fehler im Issue Tracker von Ultimaker Cura melden."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
msgstr "Slicing mit dem aktuellen Material nicht möglich, da es mit der gewählten Maschine oder Konfiguration nicht kompatibel ist."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr "Slicing nicht möglich"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice with the current settings. The following settings have errors: {0}"
msgstr "Die aktuellen Einstellungen lassen kein Schneiden (Slicing) zu. Die folgenden Einstellungen sind fehlerhaft:{0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
msgstr "Aufgrund der Pro-Modell-Einstellungen ist kein Schneiden (Slicing) möglich. Die folgenden Einstellungen sind für ein oder mehrere Modelle fehlerhaft: {error_labels}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid "Unable to slice because the prime tower or prime position(s) are invalid."
msgstr "Schneiden (Slicing) ist nicht möglich, da der Einzugsturm oder die Einzugsposition(en) ungültig ist (sind)."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid "Unable to slice because there are objects associated with disabled Extruder %s."
msgstr "Schneiden (Slicing) ist nicht möglich, da Objekte vorhanden sind, die mit dem deaktivierten Extruder %s verbunden sind."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -981,475 +1157,436 @@ msgstr ""
"- Einem aktiven Extruder zugewiesen sind\n"
"- Nicht alle als Modifier Meshes eingerichtet sind"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Schichten werden verarbeitet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Informationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Cura-Profil"
+msgid "AMF File"
+msgstr "AMF-Datei"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr "Komprimierte G-Code-Datei"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr "Nachbearbeitung"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr "G-Code ändern"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "USB-Drucken"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Über USB drucken"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Über USB drucken"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Über USB verbunden"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr "Ein USB-Druck wird ausgeführt. Das Schließen von Cura beendet diesen Druck. Sind Sie sicher?"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr "Druck wird bearbeitet. Cura kann keinen weiteren Druck via USB starten, bis der vorherige Druck abgeschlossen wurde."
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr "Druck in Bearbeitung"
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr "Vorbereiten"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "G-Code parsen"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "G-Code-Details"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Stellen Sie sicher, dass der G-Code für Ihren Drucker und Ihre Druckerkonfiguration geeignet ist, bevor Sie die Datei senden. Der Darstellung des G-Codes ist möglicherweise nicht korrekt."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "G-Datei"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "JPG-Bilddatei"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "JPEG-Bilddatei"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "PNG-Bilddatei"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "BMP-Bilddatei"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "GIF-Bilddatei"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Druckbett nivellieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Upgrades wählen"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr "GCodeWriter unterstützt keinen Textmodus."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr "Zugriff auf Update-Informationen nicht möglich."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
msgstr "Es können neue Funktionen oder Bug-Fixes für Ihren {machine_name} verfügbar sein! Falls noch nicht geschehen, wird empfohlen, die Firmware auf Ihrem Drucker auf Version {latest_version} zu aktualisieren."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr "Neue %s-stabile Firmware verfügbar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr "Anleitung für die Aktualisierung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr "Firmware aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr "Komprimierte G-Code-Datei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr "GCodeWriter unterstützt keinen Textmodus."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "G-Code-Datei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "G-Code parsen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "G-Code-Details"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Stellen Sie sicher, dass der G-Code für Ihren Drucker und Ihre Druckerkonfiguration geeignet ist, bevor Sie die Datei senden. Der Darstellung des G-Codes ist möglicherweise nicht korrekt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "G-Datei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr "GCodeWriter unterstützt keinen Nicht-Textmodus."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr "Vor dem Exportieren bitte G-Code vorbereiten."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "JPG-Bilddatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "JPEG-Bilddatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "PNG-Bilddatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "BMP-Bilddatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "GIF-Bilddatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Cura 15.04-Profile"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Geräteeinstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr "Überwachen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Einstellungen pro Objekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Pro Objekteinstellungen konfigurieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr "Nachbearbeitung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr "G-Code ändern"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr "Vorbereiten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr "Vorschau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Speichern auf Wechseldatenträger"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Auf Wechseldatenträger speichern {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr "Es sind keine Dateiformate zum Schreiben vorhanden!"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Wird auf Wechseldatenträger gespeichert {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Wird gespeichert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "Konnte nicht als {0} gespeichert werden: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "Bei dem Versuch, auf {device} zu schreiben, wurde ein Dateiname nicht gefunden."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "Konnte nicht auf dem Wechseldatenträger gespeichert werden {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Auf Wechseldatenträger {0} gespeichert als {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Datei wurde gespeichert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Auswerfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "Wechseldatenträger auswerfen {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "Ausgeworfen {0}. Sie können den Datenträger jetzt sicher entfernen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Hardware sicher entfernen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "Auswurf fehlgeschlagen {0}. Möglicherweise wird das Laufwerk von einem anderen Programm verwendet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Wechseldatenträger"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr "Cura zeigt die Schichten nicht präzise an, wenn „Drucken mit Drahtstruktur“ aktiviert ist."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr "Simulationsansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr "Es kann nichts angezeigt werden, weil Sie zuerst das Slicing vornehmen müssen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr "Keine anzeigbaren Schichten vorhanden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr "Diese Meldung nicht mehr anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Schichtenansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr "Die Datei mit den Beispieldaten kann nicht gelesen werden."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr "Die hervorgehobenen Bereiche kennzeichnen fehlende oder überschüssige Oberflächen. Beheben Sie die Fehler am Modell und öffnen Sie es erneut in Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr "Modellfehler"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Solide Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr "Stützstruktur-Blocker"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr "Erstellt ein Volumen, in dem keine Stützstrukturen gedruckt werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr "Möchten Sie Material- und Softwarepakete mit Ihrem Konto synchronisieren?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr "Von Ihrem Ultimaker-Konto erkannte Änderungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr "Synchronisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr "Synchronisierung läuft ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr "Ablehnen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr "Stimme zu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Plugin für Lizenzvereinbarung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr "Ablehnen und vom Konto entfernen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr "Sie müssen das Programm beenden und neu starten {}, bevor Änderungen wirksam werden."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr "Synchronisierung läuft ..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr "Von Ihrem Ultimaker-Konto erkannte Änderungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr "Möchten Sie Material- und Softwarepakete mit Ihrem Konto synchronisieren?"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr "Synchronisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr "Ablehnen und vom Konto entfernen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr "{} Plugins konnten nicht heruntergeladen werden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
-msgstr "Öffnen Sie das komprimierte Dreiecksnetz"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
+msgstr "Ablehnen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr "Stimme zu"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Plugin für Lizenzvereinbarung"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr "GCodeWriter unterstützt keinen Nicht-Textmodus."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr "Vor dem Exportieren bitte G-Code vorbereiten."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr "Cura zeigt die Schichten nicht präzise an, wenn „Drucken mit Drahtstruktur“ aktiviert ist."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr "Simulationsansicht"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr "Es kann nichts angezeigt werden, weil Sie zuerst das Slicing vornehmen müssen."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr "Keine anzeigbaren Schichten vorhanden"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr "Diese Meldung nicht mehr anzeigen"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange"
+msgid "Layer view"
+msgstr "Schichtenansicht"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
-msgstr "glTF Binary"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Drucken über Netzwerk"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
-msgstr "glTF Embedded JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Drücken über Netzwerk"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr "Stanford Triangle Format"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
+msgstr "Über Netzwerk verbunden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr "Compressed COLLADA Digital Asset Exchange"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
+msgstr "morgen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr "Ultimaker Format Package"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
+msgstr "heute"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr "Kann nicht in UFP-Datei schreiben:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
-msgstr "Druckbett nivellieren"
+msgid "Connect via Network"
+msgstr "Anschluss über Netzwerk"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr "Bitte warten Sie, bis der aktuelle Druckauftrag gesendet wurde."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr "Druckfehler"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr "Der Druckauftrag wurde erfolgreich an den Drucker gesendet."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr "Daten gesendet"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr "Sie versuchen, sich mit einem Drucker zu verbinden, auf dem Ultimaker Connect nicht läuft. Bitte aktualisieren Sie die Firmware des Druckers."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr "Drucker aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr "Die Druckauftragswarteschlange ist voll. Der Drucker kann keinen neuen Auftrag annehmen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr "Warteschlange voll"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr "Druckauftrag senden"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr "Druckauftrag wird vorbereitet."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr "Cura hat Materialprofile entdeckt, die auf dem Host-Drucker der Gruppe {0} noch nicht installiert wurden."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr "Material an Drucker senden"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr "Daten konnten nicht in Drucker geladen werden."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr "Netzwerkfehler"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr "Sie versuchen, sich mit {0} zu verbinden, aber dieser Drucker ist nicht der Host, der die Gruppe verwaltet. Besuchen Sie die Website, um den Drucker als Host der Gruppe zu konfigurieren."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr "Nicht Host-Drucker der Gruppe"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Upgrades wählen"
+msgid "Configure group"
+msgstr "Gruppe konfigurieren"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+"Ihr Drucker {printer_name} könnte über die Cloud verbunden sein.\n"
+" Verwalten Sie Ihre Druckwarteschlange und überwachen Sie Ihre Drucke von allen Orten aus, an denen Sie Ihren Drucker mit der Digital Factory verbinden."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr "Sind Sie bereit für den Cloud-Druck?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr "Erste Schritte"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr "Mehr erfahren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr "Über Cloud drucken"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr "Über Cloud drucken"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr "Über Cloud verbunden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr "Druck überwachen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr "Verfolgen Sie den Druck in der Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr "Unbekannter Fehlercode beim Upload des Druckauftrags: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
msgstr[0] "Ihr Ultimaker-Konto hat einen neuen Drucker erkannt"
msgstr[1] "Ihr Ultimaker-Konto hat neue Drucker erkannt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr "Drucker {name} ({model}) aus Ihrem Konto wird hinzugefügt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others"
msgstr[0] "... und {0} weiterer"
msgstr[1] "... und {0} weitere"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr "Drucker aus Digital Factory hinzugefügt:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
msgstr[0] "Für einen Drucker ist keine Cloud-Verbindung verfügbar"
msgstr[1] "Für mehrere Drucker ist keine Cloud-Verbindung verfügbar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
msgstr[0] "Dieser Drucker ist nicht mit der Digital Factory verbunden:"
msgstr[1] "Diese Drucker sind nicht mit der Digital Factory verbunden:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr "Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr "Bitte besuchen Sie {website_link}, um eine Verbindung herzustellen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr "Druckerkonfigurationen speichern"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr "Drucker entfernen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr "{printer_name} wird bis zur nächsten Synchronisierung entfernt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr "Wenn Sie {printer_name} dauerhaft entfernen möchten, dann besuchen Sie bitte die {digital_factory_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr "Möchten Sie {printer_name} wirklich vorübergehend entfernen?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr "Drucker entfernen?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1537,776 +1674,1645 @@ msgstr[1] ""
"Es werden gleich {0} Drucker aus Cura entfernt. Der Vorgang kann nicht rückgängig gemacht werden. \n"
"Möchten Sie wirklich fortfahren?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be undone.\n"
"Are you sure you want to continue?"
msgstr "Es werden gleich alle Drucker aus Cura entfernt. Dieser Vorgang kann nicht rückgängig gemacht werden.Möchten Sie wirklich fortfahren?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr "Öffnen Sie das komprimierte Dreiecksnetz"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr "glTF Binary"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr "glTF Embedded JSON"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr "Stanford Triangle Format"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr "Compressed COLLADA Digital Asset Exchange"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr "Die hervorgehobenen Bereiche kennzeichnen fehlende oder überschüssige Oberflächen. Beheben Sie die Fehler am Modell und öffnen Sie es erneut in Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr "Modellfehler"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Solide Ansicht"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr "Fehler beim Schreiben von 3MF-Datei."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr "Das 3MF-Writer-Plugin ist beschädigt."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr "Keine Erlaubnis zum Beschreiben dieses Arbeitsbereichs."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr "Das Betriebssystem erlaubt es nicht, eine Projektdatei an diesem Speicherort oder mit diesem Dateinamen zu speichern."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "3MF-Datei"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Cura-Projekt 3MF-Datei"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr "Überwachen"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr "3D-Modell-Assistent"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability.
\n"
+"View print quality guide
"
msgstr ""
+"Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:
\n"
+"{model_names}
\n"
+"Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.
\n"
+"Leitfaden zu Druckqualität anzeigen
"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr "Erste Schritte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr "Sie versuchen, sich mit einem Drucker zu verbinden, auf dem Ultimaker Connect nicht läuft. Bitte aktualisieren Sie die Firmware des Druckers."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr "Drucker aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr "Cura hat Materialprofile entdeckt, die auf dem Host-Drucker der Gruppe {0} noch nicht installiert wurden."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr "Material an Drucker senden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr "Sie versuchen, sich mit {0} zu verbinden, aber dieser Drucker ist nicht der Host, der die Gruppe verwaltet. Besuchen Sie die Website, um den Drucker als Host der Gruppe zu konfigurieren."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr "Nicht Host-Drucker der Gruppe"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr "Gruppe konfigurieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr "Bitte warten Sie, bis der aktuelle Druckauftrag gesendet wurde."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr "Druckfehler"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr "Daten konnten nicht in Drucker geladen werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr "Netzwerkfehler"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr "Druckauftrag senden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr "Druckauftrag wird vorbereitet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr "Die Druckauftragswarteschlange ist voll. Der Drucker kann keinen neuen Auftrag annehmen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr "Warteschlange voll"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr "Der Druckauftrag wurde erfolgreich an den Drucker gesendet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr "Daten gesendet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Drucken über Netzwerk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Drücken über Netzwerk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr "Über Netzwerk verbunden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Anschluss über Netzwerk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr "morgen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr "heute"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "USB-Drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Über USB drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Über USB drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Über USB verbunden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
-msgstr "Ein USB-Druck wird ausgeführt. Das Schließen von Cura beendet diesen Druck. Sind Sie sicher?"
+msgid "Mesh Type"
+msgstr "Mesh-Typ"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
-msgstr "Druck wird bearbeitet. Cura kann keinen weiteren Druck via USB starten, bis der vorherige Druck abgeschlossen wurde."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
+msgstr "Normales Modell"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
-msgstr "Druck in Bearbeitung"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
+msgstr "Als Stützstruktur drucken"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr "Einstellungen für Überlappungen ändern"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr "Überlappungen nicht unterstützen"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "X3D-Datei"
+msgid "Infill mesh only"
+msgstr "Nur Mesh-Füllung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Röntgen-Ansicht"
+msgid "Cutting mesh"
+msgstr "Mesh beschneiden"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
-msgstr "Einige Punkte bei diesem Druck könnten problematisch sein. Klicken Sie, um Tipps für die Anpassung zu erhalten."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
+msgctxt "@action:button"
+msgid "Select settings"
+msgstr "Einstellungen wählen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "Einstellungen für die benutzerdefinierte Anpassung dieses Modells wählen"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Filtern..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Alle anzeigen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr "Cura-Backups"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr "Cura-Version"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr "Maschinen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr "Materialien"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr "Profile"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr "Plugins"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr "Möchten Sie mehr?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr "Jetzt Backup durchführen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr "Automatisches Backup"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr "An jedem Tag, an dem Cura gestartet wird, ein automatisches Backup erstellen."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr "Wiederherstellen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr "Backup löschen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr "Soll dieses Backup wirklich gelöscht werden? Der Vorgang kann nicht rückgängig gemacht werden."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr "Backup wiederherstellen"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr "Cura muss neu gestartet werden, um Ihre Datensicherung wiederherzustellen. Möchten Sie Cura jetzt schließen?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr "Ihre Cura-Einstellungen sichern und synchronisieren."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr "Anmelden"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr "Meine Backups"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr "Sie verfügen derzeit über keine Backups. Verwenden Sie die Schaltfläche ‚Jetzt Backup erstellen‘, um ein Backup zu erstellen."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr "In der Vorschau-Phase sind Sie auf 5 sichtbare Backups beschränkt. Ein Backup entfernen, um ältere anzusehen."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr "Druckereinstellungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (Breite)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (Tiefe)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (Höhe)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Druckbettform"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr "Ausgang in Mitte"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr "Heizbares Bett"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr "Druckraum aufgeheizt"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr "G-Code-Variante"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr "Druckkopfeinstellungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr "Brückenhöhe"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Anzahl Extruder"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr "Extruder-Versatzwerte auf GCode anwenden"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr "Start G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr "Ende G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr "Düseneinstellungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Düsengröße"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr "Kompatibler Materialdurchmesser"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "X-Versatz Düse"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Y-Versatz Düse"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr "Kühllüfter-Nr"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr "G-Code Extruder-Start"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr "G-Code Extruder-Ende"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Drucker"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
+msgid "Update Firmware"
+msgstr "Firmware aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+msgctxt "@label"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "Die Firmware ist der Teil der Software, der direkt auf Ihrem 3D-Drucker läuft. Diese Firmware kontrolliert die Schrittmotoren, reguliert die Temperatur und sorgt letztlich dafür, dass Ihr Drucker funktioniert."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+msgctxt "@label"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "Die mit neuen Druckern gelieferte Firmware funktioniert, allerdings enthalten neue Versionen üblicherweise mehr Funktionen und Verbesserungen."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+msgctxt "@action:button"
+msgid "Automatically upgrade Firmware"
+msgstr "Firmware automatisch aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Benutzerdefinierte Firmware hochladen"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr "Firmware kann nicht aktualisiert werden, da keine Verbindung zum Drucker besteht."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr "Firmware kann nicht aktualisiert werden, da die Verbindung zum Drucker die Firmware-Aktualisierung nicht unterstützt."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+msgctxt "@title:window"
+msgid "Select custom firmware"
+msgstr "Benutzerdefinierte Firmware wählen"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+msgctxt "@title:window"
+msgid "Firmware Update"
+msgstr "Firmware-Aktualisierung"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+msgctxt "@label"
+msgid "Updating firmware."
+msgstr "Die Firmware wird aktualisiert."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+msgctxt "@label"
+msgid "Firmware update completed."
+msgstr "Firmware-Aktualisierung abgeschlossen."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+msgctxt "@label"
+msgid "Firmware update failed due to an unknown error."
+msgstr "Die Firmware-Aktualisierung ist aufgrund eines unbekannten Fehlers fehlgeschlagen."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "Die Firmware-Aktualisierung ist aufgrund eines Kommunikationsfehlers fehlgeschlagen."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "Die Firmware-Aktualisierung ist aufgrund eines Eingabe-/Ausgabefehlers fehlgeschlagen."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "Die Firmware-Aktualisierung ist aufgrund von fehlender Firmware fehlgeschlagen."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Projekt öffnen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr "Vorhandenes aktualisieren"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr "Neu erstellen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Zusammenfassung – Cura-Projekt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Druckereinstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "Wie soll der Konflikt im Gerät gelöst werden?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Typ"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr "Druckergruppe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Profileinstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "Wie soll der Konflikt im Profil gelöst werden?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Name"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr "Intent"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "Nicht im Profil"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
msgstr[0] "%1 überschreiben"
msgstr[1] "%1 überschreibt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Ableitung von"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
msgstr[0] "%1, %2 überschreiben"
msgstr[1] "%1, %2 überschreibt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Materialeinstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "Wie soll der Konflikt im Material gelöst werden?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Sichtbarkeit einstellen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Modus"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Sichtbare Einstellungen:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1 von %2"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr "Das Laden eines Projekts entfernt alle Modelle von der Druckplatte."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Öffnen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr "Möchten Sie mehr?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr "Jetzt Backup durchführen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr "Automatisches Backup"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr "An jedem Tag, an dem Cura gestartet wird, ein automatisches Backup erstellen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr "Wiederherstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr "Backup löschen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr "Soll dieses Backup wirklich gelöscht werden? Der Vorgang kann nicht rückgängig gemacht werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr "Backup wiederherstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr "Cura muss neu gestartet werden, um Ihre Datensicherung wiederherzustellen. Möchten Sie Cura jetzt schließen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr "Cura-Version"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr "Maschinen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr "Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr "Profile"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr "Plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr "Cura-Backups"
+msgid "Post Processing Plugin"
+msgstr "Plugin Nachbearbeitung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr "Meine Backups"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr "Sie verfügen derzeit über keine Backups. Verwenden Sie die Schaltfläche ‚Jetzt Backup erstellen‘, um ein Backup zu erstellen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr "In der Vorschau-Phase sind Sie auf 5 sichtbare Backups beschränkt. Ein Backup entfernen, um ältere anzusehen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr "Ihre Cura-Einstellungen sichern und synchronisieren."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr "Anmelden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr "Firmware aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "Die Firmware ist der Teil der Software, der direkt auf Ihrem 3D-Drucker läuft. Diese Firmware kontrolliert die Schrittmotoren, reguliert die Temperatur und sorgt letztlich dafür, dass Ihr Drucker funktioniert."
+msgid "Post Processing Scripts"
+msgstr "Skripts Nachbearbeitung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Ein Skript hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "Die mit neuen Druckern gelieferte Firmware funktioniert, allerdings enthalten neue Versionen üblicherweise mehr Funktionen und Verbesserungen."
+msgid "Settings"
+msgstr "Einstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Firmware automatisch aktualisieren"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr "Aktive Nachbearbeitungsskripts ändern."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Benutzerdefinierte Firmware hochladen"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] "Die folgenden Skript ist aktiv:"
+msgstr[1] "Die folgenden Skripte sind aktiv:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr "Firmware kann nicht aktualisiert werden, da keine Verbindung zum Drucker besteht."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr "Firmware kann nicht aktualisiert werden, da die Verbindung zum Drucker die Firmware-Aktualisierung nicht unterstützt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Benutzerdefinierte Firmware wählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Firmware-Aktualisierung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "Die Firmware wird aktualisiert."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Firmware-Aktualisierung abgeschlossen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "Die Firmware-Aktualisierung ist aufgrund eines unbekannten Fehlers fehlgeschlagen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "Die Firmware-Aktualisierung ist aufgrund eines Kommunikationsfehlers fehlgeschlagen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "Die Firmware-Aktualisierung ist aufgrund eines Eingabe-/Ausgabefehlers fehlgeschlagen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "Die Firmware-Aktualisierung ist aufgrund von fehlender Firmware fehlgeschlagen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Bild konvertieren..."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "Der Maximalabstand von jedem Pixel von der „Basis“."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Höhe (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "Die Basishöhe von der Druckplatte in Millimetern."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Basis (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "Die Breite der Druckplatte in Millimetern."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Breite (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "Die Tiefe der Druckplatte in Millimetern"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Tiefe (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr "Für Lithophanien sollten dunkle Pixel dickeren Positionen entsprechen, um mehr einfallendes Licht zu blockieren. Für Höhenkarten stellen hellere Pixel höheres Terrain dar, sodass hellere Pixel dickeren Positionen im generierten 3D-Modell entsprechen sollten."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "Dunkler ist höher"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "Heller ist höher"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr "Für Lithophanien ist ein einfaches logarithmisches Modell für Transparenz verfügbar. Bei Höhenprofilen entsprechen die Pixelwerte den Höhen linear."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr "Linear"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr "Transparenz"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr "Der Prozentsatz an Licht, der einen Druck von einer Dicke mit 1 Millimeter durchdringt. Senkt man diesen Wert, steigt der Kontrast in den dunkleren Bereichen, während der Kontrast in den helleren Bereichen des Bilds sinkt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr "1 mm Durchlässigkeit (%)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "Die Stärke der Glättung, die für das Bild angewendet wird."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Glättung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
+msgctxt "@label"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Wählen Sie bitte alle Upgrades für dieses Ultimaker-Original"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
+msgctxt "@label"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Beheizte Druckplatte (offizielles Kit oder Eigenbau)"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Nivellierung der Druckplatte"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+msgctxt "@label"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Um sicherzustellen, dass Ihre Drucke hervorragend werden, können Sie nun Ihre Druckplatte justieren. Wenn Sie auf „Gehe zur nächsten Position“ klicken, bewegt sich die Düse zu den verschiedenen Positionen, die justiert werden können."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+msgctxt "@label"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Legen Sie für jede Position ein Blatt Papier unter die Düse und stellen Sie die Höhe der Druckplatte ein. Die Höhe der Druckplatte ist korrekt, wenn das Papier von der Spitze der Düse leicht berührt wird."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Nivellierung der Druckplatte starten"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Gehe zur nächsten Position"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr "Weitere Informationen zur anonymen Datenerfassung"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Nachfolgend ist ein Beispiel aller Daten, die geteilt werden:"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr "Ich möchte keine anonymen Daten senden"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr "Senden von anonymen Daten erlauben"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr "Marktplatz"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr "Cura muss neu gestartet werden, um die Änderungen der Pakete zu übernehmen."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr "%1 beenden"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr "Installieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Installiert"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr "Premium"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr "Zum Web Marketplace gehen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr "Materialien suchen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr "Kompatibilität"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr "Gerät"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr "Druckbett"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr "Support"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr "Qualität"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr "Technisches Datenblatt"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr "Sicherheitsdatenblatt"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr "Druckrichtlinien"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr "Website"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr "Anmeldung für Installation oder Update erforderlich"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr "Materialspulen kaufen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr "Aktualisierung"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr "Aktualisierung wird durchgeführt"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr "Aktualisiert"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr "Zurück"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Drucker"
+msgid "Plugins"
+msgstr "Plugins"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr "Düseneinstellungen"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Materialien"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr "Installiert"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Düsengröße"
+msgid "Will install upon restarting"
+msgstr "Installiert nach Neustart"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr "Anmeldung für Update erforderlich"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr "Downgraden"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr "Deinstallieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "mm"
-msgstr "mm"
+msgid "Community Contributions"
+msgstr "Community-Beiträge"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr "Kompatibler Materialdurchmesser"
+msgid "Community Plugins"
+msgstr "Community-Plugins"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "X-Versatz Düse"
+msgid "Generic Materials"
+msgstr "Generische Materialien"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr "Pakete werden abgeholt..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Y-Versatz Düse"
+msgid "Website"
+msgstr "Website"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr "Kühllüfter-Nr"
+msgid "Email"
+msgstr "E-Mail"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr "G-Code Extruder-Start"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr "Bitte melden Sie sich an, um verifizierte Plugins und Materialien für Ultimaker Cura Enterprise zu erhalten"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr "G-Code Extruder-Ende"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr "Druckereinstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (Breite)"
+msgid "Version"
+msgstr "Version"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (Tiefe)"
+msgid "Last updated"
+msgstr "Zuletzt aktualisiert"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (Höhe)"
+msgid "Brand"
+msgstr "Marke"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Druckbettform"
+msgid "Downloads"
+msgstr "Downloads"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr "Installierte Plugins"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr "Es wurde kein Plugin installiert."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr "Installierte Materialien"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr "Es wurde kein Material installiert."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr "Gebündelte Plugins"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr "Gebündelte Materialien"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr "Verbindung zur Cura Paket-Datenbank konnte nicht hergestellt werden. Bitte überprüfen Sie Ihre Verbindung."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
msgctxt "@label"
-msgid "Origin at center"
-msgstr "Ausgang in Mitte"
+msgid "You need to accept the license to install the package"
+msgstr "Sie müssen die Lizenz akzeptieren, um das Paket zu installieren"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr "Änderungen in deinem Konto"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr "Verwerfen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr "Weiter"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
msgctxt "@label"
-msgid "Heated bed"
-msgstr "Heizbares Bett"
+msgid "The following packages will be added:"
+msgstr "Die folgenden Pakete werden hinzugefügt:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
msgctxt "@label"
-msgid "Heated build volume"
-msgstr "Druckraum aufgeheizt"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr "Die folgenden Pakete können nicht hinzugefügt werden, weil die Cura-Version nicht kompatibel ist:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr "Deinstallieren bestätigen"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr "Sie sind dabei, Materialien und/oder Profile zu deinstallieren, die noch verwendet werden. Durch Bestätigen werden die folgenden Materialien/Profile auf ihre Standardeinstellungen zurückgesetzt."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr "Materialien"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr "Profile"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr "Bestätigen"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
msgctxt "@label"
-msgid "G-code flavor"
-msgstr "G-Code-Variante"
+msgid "Color scheme"
+msgstr "Farbschema"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr "Druckkopfeinstellungen"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Materialfarbe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Linientyp"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr "Geschwindigkeit"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr "Schichtdicke"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr "Linienbreite"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr "Fluss"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
msgctxt "@label"
-msgid "X min"
-msgstr "X min"
+msgid "Compatibility Mode"
+msgstr "Kompatibilitätsmodus"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
msgctxt "@label"
-msgid "Y min"
-msgstr "Y min"
+msgid "Travels"
+msgstr "Bewegungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
msgctxt "@label"
-msgid "X max"
-msgstr "X max"
+msgid "Helpers"
+msgstr "Helfer"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
msgctxt "@label"
-msgid "Y max"
-msgstr "Y max"
+msgid "Shell"
+msgstr "Gehäuse"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
msgctxt "@label"
-msgid "Gantry Height"
-msgstr "Brückenhöhe"
+msgid "Infill"
+msgstr "Füllung"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Anzahl Extruder"
+msgid "Starts"
+msgstr "Startet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
-msgstr "Extruder-Versatzwerte auf GCode anwenden"
+msgid "Only Show Top Layers"
+msgstr "Nur obere Schichten anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr "Start G-Code"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "5 detaillierte Schichten oben anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr "Ende G-Code"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Oben/Unten"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Innenwand"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr "min"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr "max"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr "Drucker verwalten"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr "Glas"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr "Damit Sie die Warteschlange aus der Ferne verwalten können, müssen Sie die Druckfirmware aktualisieren."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr "Webcam-Feeds für Cloud-Drucker können nicht in Ultimaker Cura angezeigt werden. Klicken Sie auf „Drucker verwalten“, um die Ultimaker Digital Factory zu besuchen und diese Webcam zu sehen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr "Lädt..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr "Nicht verfügbar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr "Nicht erreichbar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr "Leerlauf"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr "Vorbereitung..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr "Drucken"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr "Unbenannt"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr "Anonym"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr "Erfordert Konfigurationsänderungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr "Details"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr "Drucker nicht verfügbar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr "Zuerst verfügbar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "In Warteschlange"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr "Im Browser verwalten"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr "Die Warteschlange enthält keine Druckaufträge. Slicen Sie einen Auftrag und schicken Sie ihn ab, um ihn zur Warteschlange hinzuzufügen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr "Druckaufträge"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr "Druckdauer insgesamt"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr "Warten auf"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Drucken über Netzwerk"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Drucken"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr "Druckerauswahl"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr "Konfigurationsänderungen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr "Überschreiben"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] "Der zugewiesene Drucker %1 erfordert die folgende Konfigurationsänderung:"
+msgstr[1] "Der zugewiesene Drucker %1 erfordert die folgenden Konfigurationsänderungen:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr "Der Drucker %1 wurde zugewiesen, allerdings enthält der Auftrag eine unbekannte Materialkonfiguration."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr "Material %1 von %2 auf %3 wechseln."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr "Print Core %1 von %2 auf %3 wechseln."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr "Überschreiben verwendet die definierten Einstellungen mit der vorhandenen Druckerkonfiguration. Dies kann zu einem fehlgeschlagenen Druck führen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr "Aluminium"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Beendet"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr "Wird abgebrochen..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr "Abgebrochen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr "Wird pausiert..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr "Pausiert"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr "Wird fortgesetzt..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Handlung erforderlich"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr "Fertigstellung %1 um %2"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Anschluss an vernetzten Drucker"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr "Um direkt auf Ihrem Drucker über das Netzwerk zu drucken, muss der Drucker über ein Netzwerkkabel oder per WLAN mit dem Netzwerk verbunden sein. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie G-Code-Dateien auf einen USB-Stick kopieren und diesen am Drucker anschließen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr "Wählen Sie Ihren Drucker aus der folgenden Liste aus:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Bearbeiten"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Entfernen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Wenn Ihr Drucker nicht aufgeführt ist, lesen Sie die Anleitung für Fehlerbehebung für Netzwerkdruck"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Typ"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Firmware-Version"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Adresse"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr "Dieser Drucker ist nicht eingerichtet um eine Gruppe von Druckern anzusteuern."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr "Dieser Drucker steuert eine Gruppe von %1 Druckern an."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "Der Drucker unter dieser Adresse hat nicht reagiert."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Verbinden"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr "Ungültige IP-Adresse"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr "Bitte eine gültige IP-Adresse eingeben."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Druckeradresse"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr "Geben Sie die IP-Adresse Ihres Druckers in das Netzwerk ein."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr "Vorziehen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr "Löschen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr "Zurückkehren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr "Wird pausiert..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr "Wird fortgesetzt..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr "Pausieren"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr "Wird abgebrochen..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr "Abbrechen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr "Soll dieser %1 wirklich an den Anfang der Warteschlange vorgezogen werden?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr "Druckauftrag vorziehen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr "Soll %1 wirklich gelöscht werden?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr "Druckauftrag löschen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr "Möchten Sie %1 wirklich abbrechen?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Drucken abbrechen"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2318,1488 +3324,435 @@ msgstr ""
"– Prüfen Sie, ob der Drucker eingeschaltet ist.– Prüfen Sie, ob der Drucker mit dem Netzwerk verbunden ist.\n"
"– Prüfen Sie, ob Sie angemeldet sind, falls Sie über die Cloud verbundene Drucker suchen möchten."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr "Verbinden Sie Ihren Drucker bitte mit dem Netzwerk."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr "Benutzerhandbücher online anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr "Um Ihren Druck von Cura aus zu überwachen, schließen Sie bitte den Drucker an."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr "Mesh-Typ"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr "Normales Modell"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr "Als Stützstruktur drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr "Einstellungen für Überlappungen ändern"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr "Überlappungen nicht unterstützen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr "Nur Mesh-Füllung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr "Mesh beschneiden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Einstellungen wählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "Einstellungen für die benutzerdefinierte Anpassung dieses Modells wählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Filtern..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Alle anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Plugin Nachbearbeitung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Skripts Nachbearbeitung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Ein Skript hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Einstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr "Aktive Nachbearbeitungsskripts ändern."
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgstr "Einige Punkte bei diesem Druck könnten problematisch sein. Klicken Sie, um Tipps für die Anpassung zu erhalten."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] "Die folgenden Skript ist aktiv:"
-msgstr[1] "Die folgenden Skripte sind aktiv:"
+msgid "3D View"
+msgstr "3D-Ansicht"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Farbschema"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Materialfarbe"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Linientyp"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
-msgstr "Geschwindigkeit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr "Schichtdicke"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr "Linienbreite"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr "Fluss"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Kompatibilitätsmodus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr "Bewegungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr "Helfer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr "Gehäuse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Füllung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr "Startet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Nur obere Schichten anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "5 detaillierte Schichten oben anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Oben/Unten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Innenwand"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr "min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr "max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr "Weitere Informationen zur anonymen Datenerfassung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Nachfolgend ist ein Beispiel aller Daten, die geteilt werden:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr "Ich möchte keine anonymen Daten senden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr "Senden von anonymen Daten erlauben"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr "Zurück"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr "Kompatibilität"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr "Gerät"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr "Druckbett"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr "Support"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr "Qualität"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr "Technisches Datenblatt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr "Sicherheitsdatenblatt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr "Druckrichtlinien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr "Website"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Installiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr "Anmeldung für Installation oder Update erforderlich"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr "Materialspulen kaufen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr "Aktualisierung"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr "Aktualisierung wird durchgeführt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr "Aktualisiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr "Premium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
-msgstr "Zum Web Marketplace gehen"
+msgid "Front View"
+msgstr "Vorderansicht"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr "Draufsicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr "Ansicht von links"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr "Ansicht von rechts"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
-msgstr "Materialien suchen"
+msgid "Object list"
+msgstr "Objektliste"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr "Cura muss neu gestartet werden, um die Änderungen der Pakete zu übernehmen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr "%1 beenden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr "Plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr "Installiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr "Installiert nach Neustart"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr "Anmeldung für Update erforderlich"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr "Downgraden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr "Deinstallieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr "Installieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr "Änderungen in deinem Konto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr "Verwerfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr "Weiter"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr "Die folgenden Pakete werden hinzugefügt:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr "Die folgenden Pakete können nicht hinzugefügt werden, weil die Cura-Version nicht kompatibel ist:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr "Deinstallieren bestätigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr "Sie sind dabei, Materialien und/oder Profile zu deinstallieren, die noch verwendet werden. Durch Bestätigen werden die folgenden Materialien/Profile auf ihre Standardeinstellungen zurückgesetzt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr "Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr "Profile"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr "Bestätigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr "Sie müssen die Lizenz akzeptieren, um das Paket zu installieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr "Website"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr "E-Mail"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr "Version"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr "Zuletzt aktualisiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Marke"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr "Downloads"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr "Community-Beiträge"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr "Community-Plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr "Generische Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr "Verbindung zur Cura Paket-Datenbank konnte nicht hergestellt werden. Bitte überprüfen Sie Ihre Verbindung."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr "Installierte Plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr "Es wurde kein Plugin installiert."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr "Installierte Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr "Es wurde kein Material installiert."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr "Gebündelte Plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr "Gebündelte Materialien"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr "Pakete werden abgeholt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr "Bitte melden Sie sich an, um verifizierte Plugins und Materialien für Ultimaker Cura Enterprise zu erhalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
msgstr "Marktplatz"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Nivellierung der Druckplatte"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "&Datei"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Um sicherzustellen, dass Ihre Drucke hervorragend werden, können Sie nun Ihre Druckplatte justieren. Wenn Sie auf „Gehe zur nächsten Position“ klicken, bewegt sich die Düse zu den verschiedenen Positionen, die justiert werden können."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "&Bearbeiten"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Legen Sie für jede Position ein Blatt Papier unter die Düse und stellen Sie die Höhe der Druckplatte ein. Die Höhe der Druckplatte ist korrekt, wenn das Papier von der Spitze der Düse leicht berührt wird."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "&Ansicht"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Nivellierung der Druckplatte starten"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr "&Einstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Gehe zur nächsten Position"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "Er&weiterungen"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Wählen Sie bitte alle Upgrades für dieses Ultimaker-Original"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "&Konfiguration"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Beheizte Druckplatte (offizielles Kit oder Eigenbau)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "&Hilfe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Anschluss an vernetzten Drucker"
+msgid "New project"
+msgstr "Neues Projekt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr "Um direkt auf Ihrem Drucker über das Netzwerk zu drucken, muss der Drucker über ein Netzwerkkabel oder per WLAN mit dem Netzwerk verbunden sein. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie G-Code-Dateien auf einen USB-Stick kopieren und diesen am Drucker anschließen."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "Möchten Sie wirklich ein neues Projekt beginnen? Damit werden das Druckbett und alle nicht gespeicherten Einstellungen gelöscht."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr "Wählen Sie Ihren Drucker aus der folgenden Liste aus:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Bearbeiten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Entfernen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Wenn Ihr Drucker nicht aufgeführt ist, lesen Sie die Anleitung für Fehlerbehebung für Netzwerkdruck"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Typ"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Firmware-Version"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Adresse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr "Dieser Drucker ist nicht eingerichtet um eine Gruppe von Druckern anzusteuern."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr "Dieser Drucker steuert eine Gruppe von %1 Druckern an."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "Der Drucker unter dieser Adresse hat nicht reagiert."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Verbinden"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr "Ungültige IP-Adresse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr "Bitte eine gültige IP-Adresse eingeben."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Druckeradresse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr "Geben Sie die IP-Adresse Ihres Druckers in das Netzwerk ein."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr "Konfigurationsänderungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr "Überschreiben"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] "Der zugewiesene Drucker %1 erfordert die folgende Konfigurationsänderung:"
-msgstr[1] "Der zugewiesene Drucker %1 erfordert die folgenden Konfigurationsänderungen:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr "Der Drucker %1 wurde zugewiesen, allerdings enthält der Auftrag eine unbekannte Materialkonfiguration."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr "Material %1 von %2 auf %3 wechseln."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr "Print Core %1 von %2 auf %3 wechseln."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr "Überschreiben verwendet die definierten Einstellungen mit der vorhandenen Druckerkonfiguration. Dies kann zu einem fehlgeschlagenen Druck führen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr "Glas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr "Aluminium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr "Vorziehen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr "Löschen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr "Zurückkehren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr "Wird pausiert..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr "Wird fortgesetzt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr "Pausieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr "Wird abgebrochen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr "Abbrechen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr "Soll dieser %1 wirklich an den Anfang der Warteschlange vorgezogen werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr "Druckauftrag vorziehen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr "Soll %1 wirklich gelöscht werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr "Druckauftrag löschen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr "Möchten Sie %1 wirklich abbrechen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Drucken abbrechen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr "Drucker verwalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr "Damit Sie die Warteschlange aus der Ferne verwalten können, müssen Sie die Druckfirmware aktualisieren."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr "Lädt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr "Nicht verfügbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr "Nicht erreichbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr "Leerlauf"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr "Vorbereitung..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr "Drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr "Unbenannt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr "Anonym"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr "Erfordert Konfigurationsänderungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr "Details"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr "Drucker nicht verfügbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr "Zuerst verfügbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr "Abgebrochen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Beendet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr "Wird abgebrochen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr "Wird pausiert..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr "Pausiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr "Wird fortgesetzt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Handlung erforderlich"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr "Fertigstellung %1 auf %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "In Warteschlange"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr "Im Browser verwalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr "Die Warteschlange enthält keine Druckaufträge. Slicen Sie einen Auftrag und schicken Sie ihn ab, um ihn zur Warteschlange hinzuzufügen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr "Druckaufträge"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr "Druckdauer insgesamt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr "Warten auf"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Drucken über Netzwerk"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Drucken"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr "Druckerauswahl"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr "Anmelden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr "Bei der Ultimaker-Plattform anmelden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-"- Materialprofile und Plug-ins aus dem Marketplace hinzufügen\n"
-"- Materialprofile und Plug-ins sichern und synchronisieren\n"
-"- Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr "Kostenloses Ultimaker-Konto erstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr "Überprüfung läuft ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr "Konto wurde synchronisiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr "Irgendetwas ist schief gelaufen ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr "Ausstehende Updates installieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr "Nach Updates für das Konto suchen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr "Letztes Update: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr "Ultimaker‑Konto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr "Abmelden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr "Keine Zeitschätzung verfügbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr "Keine Kostenschätzung verfügbar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr "Vorschau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr "Zeitschätzung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr "Materialschätzung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr "%1 m"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr "%1 g"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Das Slicing läuft..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr "Slicing nicht möglich"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr "Verarbeitung läuft"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr "Slice"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr "Slicing-Vorgang starten"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr "Abbrechen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr "Online-Fehlerbehebung anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Umschalten auf Vollbild-Modus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr "Vollbildmodus beenden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "&Rückgängig machen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "&Wiederholen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "&Beenden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr "3D-Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr "Vorderansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr "Draufsicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr "Ansicht von unten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr "Ansicht von links"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr "Ansicht von rechts"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Cura konfigurieren..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "&Drucker hinzufügen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Dr&ucker verwalten..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Materialien werden verwaltet..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr "Weiteres Material aus Marketplace hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "&Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "&Aktuelle Änderungen verwerfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "P&rofil von aktuellen Einstellungen/Überschreibungen erstellen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Profile verwalten..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Online-&Dokumentation anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "&Fehler melden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr "Neuheiten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "Über..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr "Ausgewählte löschen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr "Ausgewählte zentrieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr "Ausgewählte vervielfachen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Modell löschen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "Modell auf Druckplatte ze&ntrieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "Modelle &gruppieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Gruppierung für Modelle aufheben"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "Modelle &zusammenführen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "Modell &multiplizieren..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Alle Modelle wählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Druckplatte reinigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Alle Modelle neu laden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr "Alle Modelle an allen Druckplatten anordnen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Alle Modelle anordnen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Anordnung auswählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Alle Modellpositionen zurücksetzen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Alle Modelltransformationen zurücksetzen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "&Datei(en) öffnen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "&Neues Projekt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Konfigurationsordner anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Sichtbarkeit einstellen wird konfiguriert..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr "&Marktplatz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
-msgstr "Dieses Paket wird nach einem Neustart installiert."
+msgid "Time estimation"
+msgstr "Zeitschätzung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "Allgemein"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
+msgstr "Materialschätzung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Einstellungen"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
+msgstr "%1 m"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Drucker"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
+msgstr "%1 g"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Profile"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr "Keine Zeitschätzung verfügbar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
-msgstr "%1 wird geschlossen"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr "Keine Kostenschätzung verfügbar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
-msgstr "Möchten Sie %1 wirklich beenden?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr "Vorschau"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Datei(en) öffnen"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
+msgstr "Einen Drucker hinzufügen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
-msgstr "Paket installieren"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr "Einen vernetzten Drucker hinzufügen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Datei(en) öffnen"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr "Einen unvernetzten Drucker hinzufügen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "Es wurden eine oder mehrere G-Code-Datei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine G-Code-Datei auf einmal öffnen. Wenn Sie eine G-Code-Datei öffnen möchten wählen Sie bitte nur eine Datei."
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr "Einen Cloud-Drucker hinzufügen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
-msgstr "Drucker hinzufügen"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr "Auf eine Antwort von der Cloud warten"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr "Keine Drucker in Ihrem Konto gefunden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr "Folgende Drucker in Ihrem Konto wurden zu Cura hinzugefügt:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr "Drucker manuell hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr "Drucker nach IP-Adresse hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr "Geben Sie die IP-Adresse Ihres Druckers ein."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr "Hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr "Verbindung mit Drucker nicht möglich."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr "Sie können keine Verbindung zu Ihrem Ultimaker-Drucker herstellen?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr "Der Drucker unter dieser Adresse hat noch nicht reagiert."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr "Dieser Drucker kann nicht hinzugefügt werden, weil es sich um einen unbekannten Drucker handelt oder er nicht im Host einer Gruppe enthalten ist."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr "Zurück"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr "Verbinden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr "Benutzervereinbarung"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr "Ablehnen und schließen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr "Willkommen bei Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr ""
+"Befolgen Sie bitte diese Schritte für das Einrichten von\n"
+"Ultimaker Cura. Dies dauert nur wenige Sekunden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr "Erste Schritte"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr "Bei der Ultimaker-Plattform anmelden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr "Materialeinstellungen und Plug-ins aus dem Marketplace hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr "Materialeinstellungen und Plug-ins sichern und synchronisieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr "Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr "Überspringen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr "Kostenloses Ultimaker-Konto erstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr "Hersteller"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr "Autor des Profils"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr "Druckername"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr "Bitte weisen Sie Ihrem Drucker einen Namen zu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr "Kein Drucker in Ihrem Netzwerk gefunden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr "Aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr "Drucker nach IP hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr "Ein Cloud-Drucker hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr "Störungen beheben"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr "Helfen Sie uns, Ultimaker Cura zu verbessern"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Dazu gehören:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr "Gerätetypen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr "Materialverbrauch"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr "Anzahl der Slices"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr "Druckeinstellungen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr "Die von Ultimaker Cura erfassten Daten enthalten keine personenbezogenen Daten."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr "Mehr Informationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
msgid "What's New"
msgstr "Neuheiten"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr "Leer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr "Versionshinweise"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr "Über %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr "Version: %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Komplettlösung für den 3D-Druck mit geschmolzenem Filament."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
@@ -3808,183 +3761,204 @@ msgstr ""
"Cura wurde von Ultimaker B.V. in Zusammenarbeit mit der Community entwickelt.\n"
"Cura verwendet mit Stolz die folgenden Open Source-Projekte:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Grafische Benutzerschnittstelle"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Anwendungsrahmenwerk"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr "G-Code-Generator"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Bibliothek Interprozess-Kommunikation"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Programmiersprache"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "GUI-Rahmenwerk"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "GUI-Rahmenwerk Einbindungen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "C/C++ Einbindungsbibliothek"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Format Datenaustausch"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Support-Bibliothek für wissenschaftliche Berechnung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Support-Bibliothek für schnelleres Rechnen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "Support-Bibliothek für die Handhabung von STL-Dateien"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr "Support-Bibliothek für die Handhabung von ebenen Objekten"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr "Support-Bibliothek für die Handhabung von dreieckigen Netzen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Support-Bibliothek für die Handhabung von 3MF-Dateien"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr "Support-Bibliothek für Datei-Metadaten und Streaming"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Bibliothek für serielle Kommunikation"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "Bibliothek für ZeroConf-Erkennung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Bibliothek für Polygon-Beschneidung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr "Statischer Prüfer für Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr "Root-Zertifikate zur Validierung der SSL-Vertrauenswürdigkeit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr "Python-Fehlerverfolgungs-Bibliothek"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr "Polygon-Packaging-Bibliothek, entwickelt von Prusa Research"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr "Python-Bindungen für libnest2d"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr "Unterstützungsbibliothek für den Zugriff auf den Systemschlüsselbund"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr "Python-Erweiterungen für Microsoft Windows"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Schriftart"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "SVG-Symbole"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr "Distributionsunabhängiges Format für Linux-Anwendungen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Projektdatei öffnen"
+msgid "Open file(s)"
+msgstr "Datei(en) öffnen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Dies ist eine Cura-Projektdatei. Möchten Sie diese als Projekt öffnen oder die Modelle hieraus importieren?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Es wurden eine oder mehrere Projektdatei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine Projektdatei auf einmal öffnen. Es wird empfohlen, nur Modelle aus diesen Dateien zu importieren. Möchten Sie fortfahren?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Meine Auswahl merken"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Als Projekt öffnen"
+msgid "Import all as models"
+msgstr "Alle als Modelle importieren"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Projekt speichern"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Extruder %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 & Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "Projektzusammenfassung beim Speichern nicht erneut anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Modelle importieren"
+msgid "Save"
+msgstr "Speichern"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Änderungen verwerfen oder übernehmen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -3995,1251 +3969,144 @@ msgstr ""
"Möchten Sie diese geänderten Einstellungen nach einem Profilwechsel beibehalten?\n"
"Sie können die Änderungen auch verwerfen, um die Standardeinstellungen von '%1' zu laden."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Profileinstellungen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr "Aktuelle Änderungen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Stets nachfragen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Verwerfen und zukünftig nicht mehr nachfragen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Übernehmen und zukünftig nicht mehr nachfragen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr "Änderungen verwerfen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr "Änderungen speichern"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Projektdatei öffnen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Es wurden eine oder mehrere Projektdatei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine Projektdatei auf einmal öffnen. Es wird empfohlen, nur Modelle aus diesen Dateien zu importieren. Möchten Sie fortfahren?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Dies ist eine Cura-Projektdatei. Möchten Sie diese als Projekt öffnen oder die Modelle hieraus importieren?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Meine Auswahl merken"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Alle als Modelle importieren"
+msgid "Open as project"
+msgstr "Als Projekt öffnen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Projekt speichern"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Extruder %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 & Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "Projektzusammenfassung beim Speichern nicht erneut anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Speichern"
+msgid "Import models"
+msgstr "Modelle importieren"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Ausgewähltes Modell drucken mit %1"
-msgstr[1] "Ausgewählte Modelle drucken mit %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr "Unbenannt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "&Datei"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "&Bearbeiten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "&Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr "&Einstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "Er&weiterungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "&Konfiguration"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "&Hilfe"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Neues Projekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "Möchten Sie wirklich ein neues Projekt beginnen? Damit werden das Druckbett und alle nicht gespeicherten Einstellungen gelöscht."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr "Marktplatz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr "Konfigurationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr "Diese Konfigurationen sind nicht verfügbar, weil %1 nicht erkannt wird. Besuchen Sie bitte %2 für das Herunterladen des korrekten Materialprofils."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr "Marktplatz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr "Verfügbare Konfigurationen werden von diesem Drucker geladen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr "Die Konfigurationen sind nicht verfügbar, da der Drucker getrennt ist."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr "Konfiguration wählen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr "Konfigurationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr "Benutzerdefiniert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr "Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr "Aktiviert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr "Für diese Materialkombination Kleber für eine bessere Haftung verwenden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Ausgewähltes Modell drucken mit:"
-msgstr[1] "Ausgewählte Modelle drucken mit:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Ausgewähltes Modell multiplizieren"
-msgstr[1] "Ausgewählte Modelle multiplizieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Anzahl Kopien"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr "&Projekt speichern ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr "&Exportieren..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr "Auswahl exportieren..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr "Favoriten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr "Generisch"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr "Datei(en) öffnen..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr "Netzwerkfähige Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr "Lokale Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "&Zuletzt geöffnet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr "Projekt speichern..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "Dr&ucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Als aktiven Extruder festlegen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr "Extruder aktivieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr "Extruder deaktivieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr "Sichtbare Einstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr "Alle Kategorien schließen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr "Sichtbarkeit einstellen verwalten..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr "&Kameraposition"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr "Kameraansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr "Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr "Orthogonal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr "&Druckplatte"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "Nicht mit einem Drucker verbunden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "Drucker nimmt keine Befehle an"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "In Wartung. Den Drucker überprüfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Verbindung zum Drucker wurde unterbrochen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Es wird gedruckt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "Pausiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Vorbereitung läuft..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Bitte den Ausdruck entfernen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr "Drucken abbrechen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "Soll das Drucken wirklich abgebrochen werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr "Wird als Stückstruktur gedruckt."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr "Andere Modelle, die sich mit diesem Modell überschneiden, werden angepasst."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr "Überlappende Füllung wird bei diesem Modell angepasst."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr "Überlappungen mit diesem Modell werden nicht unterstützt."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] "Überschreibt %1-Einstellung."
-msgstr[1] "Überschreibt %1-Einstellungen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr "Objektliste"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Schnittstelle"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Währung:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Thema:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "Die Anwendung muss neu gestartet werden, um die Änderungen zu übernehmen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Bei Änderung der Einstellungen automatisch schneiden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Automatisch schneiden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "Viewport-Verhalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Nicht gestützte Bereiche des Modells in rot hervorheben. Ohne Support werden diese Bereiche nicht korrekt gedruckt."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Überhang anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr "Heben Sie fehlende oder fehlerhafte Flächen des Modells mithilfe von Warnhinweisen hervor. In den Werkzeugpfaden fehlen oft Teile der beabsichtigten Geometrie."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr "Modellfehler anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "Bewegt die Kamera, bis sich das Modell im Mittelpunkt der Ansicht befindet, wenn ein Modell ausgewählt wurde"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Zentrieren Sie die Kamera, wenn das Element ausgewählt wurde"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "Soll das standardmäßige Zoom-Verhalten von Cura umgekehrt werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Kehren Sie die Richtung des Kamera-Zooms um."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "Soll das Zoomen in Richtung der Maus erfolgen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr "Das Zoomen in Richtung der Maus wird in der orthografischen Perspektive nicht unterstützt."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "In Mausrichtung zoomen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "Sollen Modelle auf der Plattform so verschoben werden, dass sie sich nicht länger überschneiden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "Stellen Sie sicher, dass die Modelle getrennt gehalten werden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "Sollen Modelle auf der Plattform so nach unten verschoben werden, dass sie die Druckplatte berühren?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Setzt Modelle automatisch auf der Druckplatte ab"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr "Warnmeldung im G-Code-Reader anzeigen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr "Warnmeldung in G-Code-Reader"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "Soll die Schicht in den Kompatibilitätsmodus gezwungen werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "Schichtenansicht Kompatibilitätsmodus erzwingen (Neustart erforderlich)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr "Sollte Cura sich an der Stelle öffnen, an der das Programm geschlossen wurde?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr "Fensterposition beim Start wiederherstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr "Welches Kamera-Rendering sollte verwendet werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr "Kamera-Rendering:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr "Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr "Orthogonal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Dateien öffnen und speichern"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr "Sollten Dateien vom Desktop oder von externen Anwendungen in derselben Instanz von Cura geöffnet werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr "Eine einzelne Instanz von Cura verwenden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "Sollen Modelle an das Erstellungsvolumen angepasst werden, wenn sie zu groß sind?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Große Modelle anpassen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Ein Modell kann extrem klein erscheinen, wenn seine Maßeinheit z. B. in Metern anstelle von Millimetern angegeben ist. Sollen diese Modelle hoch skaliert werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Extrem kleine Modelle skalieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr "Sollten Modelle gewählt werden, nachdem sie geladen wurden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr "Modelle wählen, nachdem sie geladen wurden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "Soll ein Präfix anhand des Druckernamens automatisch zum Namen des Druckauftrags hinzugefügt werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Geräte-Präfix zu Auftragsnamen hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "Soll beim Speichern einer Projektdatei eine Zusammenfassung angezeigt werden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Dialog Zusammenfassung beim Speichern eines Projekts anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Standardverhalten beim Öffnen einer Projektdatei"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Standardverhalten beim Öffnen einer Projektdatei: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr "Stets nachfragen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Immer als Projekt öffnen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Modelle immer importieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Wenn Sie Änderungen für ein Profil vorgenommen haben und zu einem anderen Profil gewechselt sind, wird ein Dialog angezeigt, der hinterfragt, ob Sie Ihre Änderungen beibehalten möchten oder nicht; optional können Sie ein Standardverhalten wählen, sodass dieser Dialog nicht erneut angezeigt wird."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr "Profile"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr "Standardverhalten für geänderte Einstellungswerte beim Wechsel zu einem anderen Profil: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr "Geänderte Einstellungen immer verwerfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr "Geänderte Einstellungen immer auf neues Profil übertragen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Privatsphäre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "Sollen anonyme Daten über Ihren Druck an Ultimaker gesendet werden? Beachten Sie, dass keine Modelle, IP-Adressen oder andere personenbezogene Daten gesendet oder gespeichert werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "(Anonyme) Druckinformationen senden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr "Mehr Informationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr "Updates"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "Soll Cura bei Programmstart nach Updates suchen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Bei Start nach Updates suchen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr "Wählen Sie bei der Suche nach Updates nur stabile Versionen aus."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr "Nur stabile Versionen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr "Wählen Sie bei der Suche nach Updates sowohl stabile als auch Beta-Versionen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr "Stabile und Beta-Versionen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr "Sollte jedes Mal, wenn Cura gestartet wird, eine automatische Überprüfung auf neue Plug-ins durchgeführt werden? Es wird dringend empfohlen, diese Funktion nicht zu deaktivieren!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr "Benachrichtigungen über Plug-in-Updates erhalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Aktivieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Umbenennen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Erstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Duplizieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Import"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Export"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr "Mit Druckern synchronisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr "Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr "Entfernen bestätigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr "Möchten Sie %1 wirklich entfernen? Dies kann nicht rückgängig gemacht werden!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Material importieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "Material konnte nicht importiert werden %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "Material wurde erfolgreich importiert %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Material exportieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Exportieren des Materials nach %1: %2 schlug fehl"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "Material erfolgreich nach %1 exportiert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr "Alle Materialien exportieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Informationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr "Änderung Durchmesser bestätigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr "Der neue Filament-Durchmesser wurde auf %1 mm eingestellt, was nicht kompatibel mit dem aktuellen Extruder ist. Möchten Sie fortfahren?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Namen anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Materialtyp"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Farbe"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Eigenschaften"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Dichte"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Durchmesser"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Filamentkosten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Filamentgewicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Filamentlänge"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Kosten pro Meter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Dieses Material ist mit %1 verknüpft und teilt sich damit einige seiner Eigenschaften."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Material trennen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Beschreibung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Haftungsinformationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Druckeinstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Erstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Duplizieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Profil erstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr "Geben Sie bitte einen Namen für dieses Profil an."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Profil duplizieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Profil umbenennen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Profil importieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Profil exportieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Drucker: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "Aktuelle Änderungen verwerfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Dieses Profil verwendet die vom Drucker festgelegten Standardeinstellungen, deshalb sind in der folgenden Liste keine Einstellungen/Überschreibungen enthalten."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Ihre aktuellen Einstellungen stimmen mit dem gewählten Profil überein."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Globale Einstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Berechnet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Einstellung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Aktuell"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Einheit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Sichtbarkeit einstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Alle prüfen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Extruder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "Die Zieltemperatur des Hotend. Das Hotend wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Hotend-Heizung ausgeschaltet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr "Die aktuelle Temperatur dieses Hotends."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr "Die Temperatur, auf die das Hotend vorgeheizt wird."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Abbrechen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Vorheizen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr "Heizen Sie das Hotend vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Hotend aufgeheizt ist, wenn Sie druckbereit sind."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Die Farbe des Materials in diesem Extruder."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Das Material in diesem Extruder."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "Die in diesem Extruder eingesetzte Düse."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Druckbett"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "Die Zieltemperatur des heizbaren Betts. Das Bett wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Bettheizung ausgeschaltet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "Die aktuelle Temperatur des beheizten Betts."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "Die Temperatur, auf die das Bett vorgeheizt wird."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "Heizen Sie das Bett vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Bett aufgeheizt ist, wenn Sie druckbereit sind."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr "Druckersteuerung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr "Tippposition"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr "X/Y"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr "Z"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr "Tippdistanz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr "G-Code senden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr "Einen benutzerdefinierten G-Code-Befehl an den verbundenen Drucker senden. „Eingabe“ drücken, um den Befehl zu senden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "Der Drucker ist nicht verbunden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr "Der Cloud-Drucker ist offline. Bitte prüfen Sie, ob der Drucker eingeschaltet und mit dem Internet verbunden ist."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr "Der Drucker ist nicht mit Ihrem Konto verbunden. Bitte besuchen Sie die Ultimaker Digital Factory, um eine Verbindung herzustellen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte melden Sie sich an, um sich mit dem Cloud-Drucker zu verbinden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte überprüfen Sie ihre Internetverbindung."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr "Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr "Drucker verwalten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr "Verbundene Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr "Voreingestellte Drucker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Aktiver Druck"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Name des Auftrags"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Druckzeit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Geschätzte verbleibende Zeit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr "Der Cloud-Drucker ist offline. Bitte prüfen Sie, ob der Drucker eingeschaltet und mit dem Internet verbunden ist."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr "Der Drucker ist nicht mit Ihrem Konto verbunden. Bitte besuchen Sie die Ultimaker Digital Factory, um eine Verbindung herzustellen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte melden Sie sich an, um sich mit dem Cloud-Drucker zu verbinden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr "Die Cloud-Verbindung ist aktuell nicht verfügbar. Bitte überprüfen Sie ihre Internetverbindung."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr "Drucker hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr "Drucker verwalten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr "Verbundene Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr "Voreingestellte Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Druckeinstellungen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr "Druckeinrichtung ist deaktiviert. G-Code-Datei kann nicht geändert werden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr "Profil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5250,120 +4117,1703 @@ msgstr ""
"\n"
"Klicken Sie, um den Profilmanager zu öffnen."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr "Benutzerdefinierte Profile"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "Aktuelle Änderungen verwerfen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr "Empfohlen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr "Benutzerdefiniert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr "Ein"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr "Aus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr "Experimentell"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
msgstr[0] "Es gibt kein %1-Profil für die Konfiguration in der Extruder %2. Es wird stattdessen der Standard verwendet"
msgstr[1] "Es gibt kein %1-Profil für die Konfigurationen in den Extrudern %2. Es wird stattdessen der Standard verwendet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr "Druckeinrichtung ist deaktiviert. G-Code-Datei kann nicht geändert werden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr "Empfohlen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr "Benutzerdefiniert"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr "Ein"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr "Aus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
-msgstr "Experimentell"
+msgid "Profiles"
+msgstr "Profile"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr "Haftung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Drucken eines Brim- oder Raft-Elements aktivieren. Es wird ein flacher Bereich rund um oder unter Ihrem Objekt hinzugefügt, das im Anschluss leicht abgeschnitten werden kann."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr "Stufenweise Füllung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "Die graduelle Füllung steigert die Menge der Füllung nach oben hin schrittweise."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr "Sie haben einige Profileinstellungen geändert. Wenn Sie diese ändern möchten, wechseln Sie in den Modus „Benutzerdefiniert“."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr "Stützstruktur"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "Damit werden Strukturen zur Unterstützung von Modellteilen mit Überhängen generiert. Ohne diese Strukturen würden solche Teile während des Druckvorgangs zusammenfallen."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
-msgstr ""
-"Einige ausgeblendete Einstellungen verwenden Werte, die von ihren normalen, berechneten Werten abweichen.\n"
-"\n"
-"Klicken Sie, um diese Einstellungen sichtbar zu machen."
+msgid "Gradual infill"
+msgstr "Stufenweise Füllung"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "Die graduelle Füllung steigert die Menge der Füllung nach oben hin schrittweise."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr "Haftung"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Drucken eines Brim- oder Raft-Elements aktivieren. Es wird ein flacher Bereich rund um oder unter Ihrem Objekt hinzugefügt, das im Anschluss leicht abgeschnitten werden kann."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr "Projekt speichern..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr "Netzwerkfähige Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr "Lokale Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr "Favoriten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr "Generisch"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Ausgewähltes Modell drucken mit:"
+msgstr[1] "Ausgewählte Modelle drucken mit:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Ausgewähltes Modell multiplizieren"
+msgstr[1] "Ausgewählte Modelle multiplizieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Anzahl Kopien"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr "&Projekt speichern ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr "&Exportieren..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr "Auswahl exportieren..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr "Konfigurationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr "Benutzerdefiniert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr "Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr "Aktiviert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr "Für diese Materialkombination Kleber für eine bessere Haftung verwenden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr "Konfiguration wählen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr "Konfigurationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr "Verfügbare Konfigurationen werden von diesem Drucker geladen..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr "Die Konfigurationen sind nicht verfügbar, da der Drucker getrennt ist."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr "Diese Konfigurationen sind nicht verfügbar, weil %1 nicht erkannt wird. Besuchen Sie bitte %2 für das Herunterladen des korrekten Materialprofils."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr "Marktplatz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr "Datei(en) öffnen..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "Dr&ucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Als aktiven Extruder festlegen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr "Extruder aktivieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr "Extruder deaktivieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "&Zuletzt geöffnet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr "Sichtbare Einstellungen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr "Alle Kategorien schließen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr "Sichtbarkeit einstellen verwalten..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr "&Kameraposition"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr "Kameraansicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr "Ansicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr "Orthogonal"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr "&Druckplatte"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr "Typ anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr "Wird als Stückstruktur gedruckt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr "Andere Modelle, die sich mit diesem Modell überschneiden, werden angepasst."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr "Überlappende Füllung wird bei diesem Modell angepasst."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr "Überlappungen mit diesem Modell werden nicht unterstützt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] "Überschreibt %1-Einstellung."
+msgstr[1] "Überschreibt %1-Einstellungen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Profile"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Aktivieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Erstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Duplizieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Umbenennen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Import"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Export"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Profil erstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr "Geben Sie bitte einen Namen für dieses Profil an."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Profil duplizieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr "Entfernen bestätigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr "Möchten Sie %1 wirklich entfernen? Dies kann nicht rückgängig gemacht werden!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Profil umbenennen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Profil importieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Profil exportieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Drucker: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Dieses Profil verwendet die vom Drucker festgelegten Standardeinstellungen, deshalb sind in der folgenden Liste keine Einstellungen/Überschreibungen enthalten."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Ihre aktuellen Einstellungen stimmen mit dem gewählten Profil überein."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Globale Einstellungen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "Allgemein"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Schnittstelle"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Währung:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Thema:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "Die Anwendung muss neu gestartet werden, um die Änderungen zu übernehmen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Bei Änderung der Einstellungen automatisch schneiden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Automatisch schneiden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "Viewport-Verhalten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Nicht gestützte Bereiche des Modells in rot hervorheben. Ohne Support werden diese Bereiche nicht korrekt gedruckt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Überhang anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr "Heben Sie fehlende oder fehlerhafte Flächen des Modells mithilfe von Warnhinweisen hervor. In den Werkzeugpfaden fehlen oft Teile der beabsichtigten Geometrie."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr "Modellfehler anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "Bewegt die Kamera, bis sich das Modell im Mittelpunkt der Ansicht befindet, wenn ein Modell ausgewählt wurde"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Zentrieren Sie die Kamera, wenn das Element ausgewählt wurde"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "Soll das standardmäßige Zoom-Verhalten von Cura umgekehrt werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Kehren Sie die Richtung des Kamera-Zooms um."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "Soll das Zoomen in Richtung der Maus erfolgen?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr "Das Zoomen in Richtung der Maus wird in der orthografischen Perspektive nicht unterstützt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "In Mausrichtung zoomen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "Sollen Modelle auf der Plattform so verschoben werden, dass sie sich nicht länger überschneiden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "Stellen Sie sicher, dass die Modelle getrennt gehalten werden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "Sollen Modelle auf der Plattform so nach unten verschoben werden, dass sie die Druckplatte berühren?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Setzt Modelle automatisch auf der Druckplatte ab"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr "Warnmeldung im G-Code-Reader anzeigen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr "Warnmeldung in G-Code-Reader"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "Soll die Schicht in den Kompatibilitätsmodus gezwungen werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "Schichtenansicht Kompatibilitätsmodus erzwingen (Neustart erforderlich)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr "Sollte Cura sich an der Stelle öffnen, an der das Programm geschlossen wurde?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr "Fensterposition beim Start wiederherstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr "Welches Kamera-Rendering sollte verwendet werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr "Kamera-Rendering:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr "Ansicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr "Orthogonal"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Dateien öffnen und speichern"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr "Sollten Dateien vom Desktop oder von externen Anwendungen in derselben Instanz von Cura geöffnet werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr "Eine einzelne Instanz von Cura verwenden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr "Soll das Druckbett jeweils vor dem Laden eines neuen Modells in einer einzelnen Instanz von Cura gelöscht werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr "Druckbett vor dem Laden des Modells in die Einzelinstanz löschen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "Sollen Modelle an das Erstellungsvolumen angepasst werden, wenn sie zu groß sind?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Große Modelle anpassen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Ein Modell kann extrem klein erscheinen, wenn seine Maßeinheit z. B. in Metern anstelle von Millimetern angegeben ist. Sollen diese Modelle hoch skaliert werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Extrem kleine Modelle skalieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr "Sollten Modelle gewählt werden, nachdem sie geladen wurden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr "Modelle wählen, nachdem sie geladen wurden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "Soll ein Präfix anhand des Druckernamens automatisch zum Namen des Druckauftrags hinzugefügt werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Geräte-Präfix zu Auftragsnamen hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "Soll beim Speichern einer Projektdatei eine Zusammenfassung angezeigt werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Dialog Zusammenfassung beim Speichern eines Projekts anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Standardverhalten beim Öffnen einer Projektdatei"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Standardverhalten beim Öffnen einer Projektdatei: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr "Stets nachfragen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Immer als Projekt öffnen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Modelle immer importieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Wenn Sie Änderungen für ein Profil vorgenommen haben und zu einem anderen Profil gewechselt sind, wird ein Dialog angezeigt, der hinterfragt, ob Sie Ihre Änderungen beibehalten möchten oder nicht; optional können Sie ein Standardverhalten wählen, sodass dieser Dialog nicht erneut angezeigt wird."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr "Standardverhalten für geänderte Einstellungswerte beim Wechsel zu einem anderen Profil: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr "Geänderte Einstellungen immer verwerfen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr "Geänderte Einstellungen immer auf neues Profil übertragen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Privatsphäre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "Sollen anonyme Daten über Ihren Druck an Ultimaker gesendet werden? Beachten Sie, dass keine Modelle, IP-Adressen oder andere personenbezogene Daten gesendet oder gespeichert werden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "(Anonyme) Druckinformationen senden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr "Mehr Informationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr "Updates"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "Soll Cura bei Programmstart nach Updates suchen?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Bei Start nach Updates suchen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr "Wählen Sie bei der Suche nach Updates nur stabile Versionen aus."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr "Nur stabile Versionen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr "Wählen Sie bei der Suche nach Updates sowohl stabile als auch Beta-Versionen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr "Stabile und Beta-Versionen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr "Sollte jedes Mal, wenn Cura gestartet wird, eine automatische Überprüfung auf neue Plug-ins durchgeführt werden? Es wird dringend empfohlen, diese Funktion nicht zu deaktivieren!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr "Benachrichtigungen über Plug-in-Updates erhalten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Informationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr "Änderung Durchmesser bestätigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr "Der neue Filament-Durchmesser wurde auf %1 mm eingestellt, was nicht kompatibel mit dem aktuellen Extruder ist. Möchten Sie fortfahren?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Namen anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Materialtyp"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Farbe"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Eigenschaften"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Dichte"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Durchmesser"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Filamentkosten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Filamentgewicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Filamentlänge"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Kosten pro Meter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Dieses Material ist mit %1 verknüpft und teilt sich damit einige seiner Eigenschaften."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Material trennen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Beschreibung"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Haftungsinformationen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Erstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Duplizieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr "Mit Druckern synchronisieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr "Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Material importieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "Material konnte nicht importiert werden %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "Material wurde erfolgreich importiert %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Material exportieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to %1: %2"
+msgstr "Exportieren des Materials nach %1: %2 schlug fehl"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr "Material erfolgreich nach %1 exportiert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid "Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt "@text In the UI this is followed by a list of steps the user needs to take."
+msgid "Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr "Alle Materialien exportieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr "Sichtbarkeit einstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr "Alle prüfen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr "Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr "Berechnet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr "Einstellung"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr "Profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr "Aktuell"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr "Einheit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr "Nicht mit einem Drucker verbunden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr "Drucker nimmt keine Befehle an"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr "In Wartung. Den Drucker überprüfen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr "Verbindung zum Drucker wurde unterbrochen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr "Es wird gedruckt..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr "Pausiert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr "Vorbereitung läuft..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr "Bitte den Ausdruck entfernen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr "Drucken abbrechen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr "Soll das Drucken wirklich abgebrochen werden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] "Ausgewähltes Modell drucken mit %1"
+msgstr[1] "Ausgewählte Modelle drucken mit %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr "Meine Drucker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr "Überwachen Sie Drucker in der Ultimaker Digital Factory."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr "Erstellen Sie Druckprojekte in der digitalen Bibliothek."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr "Druckaufträge"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr "Überwachen Sie Druckaufträge und drucken Sie sie aus Ihrem Druckprotokoll nach."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr "Erweitern Sie Ultimaker Cura durch Plugins und Materialprofile."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr "Werden Sie ein 3D-Druck-Experte mittels des E-Learning von Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr "Ultimaker Kundendienst"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr "Erfahren Sie, wie Sie mit Ultimaker Cura Ihre Arbeit beginnen können."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr "Eine Frage stellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr "Wenden Sie sich an die Ultimaker Community."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr "Einen Fehler melden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr "Lassen Sie es die Entwickler wissen, falls etwas schief läuft."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr "Besuchen Sie die Ultimaker-Website."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr "Druckersteuerung"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr "Tippposition"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr "X/Y"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr "Z"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr "Tippdistanz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr "G-Code senden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
+msgstr "Einen benutzerdefinierten G-Code-Befehl an den verbundenen Drucker senden. „Eingabe“ drücken, um den Befehl zu senden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr "Extruder"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr "Die Zieltemperatur des Hotend. Das Hotend wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Hotend-Heizung ausgeschaltet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr "Die aktuelle Temperatur dieses Hotends."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr "Die Temperatur, auf die das Hotend vorgeheizt wird."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr "Abbrechen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr "Vorheizen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
+msgstr "Heizen Sie das Hotend vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Hotend aufgeheizt ist, wenn Sie druckbereit sind."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr "Die Farbe des Materials in diesem Extruder."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr "Das Material in diesem Extruder."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr "Die in diesem Extruder eingesetzte Düse."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr "Der Drucker ist nicht verbunden."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr "Druckbett"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
+msgstr "Die Zieltemperatur des heizbaren Betts. Das Bett wird auf diese Temperatur aufgeheizt oder abgekühlt. Wenn der Wert 0 beträgt, wird die Bettheizung ausgeschaltet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr "Die aktuelle Temperatur des beheizten Betts."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr "Die Temperatur, auf die das Bett vorgeheizt wird."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
+msgstr "Heizen Sie das Bett vor Druckbeginn auf. Sie können Ihren Druck während des Aufheizens weiter anpassen und müssen nicht warten, bis das Bett aufgeheizt ist, wenn Sie druckbereit sind."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr "Anmelden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+"- Materialprofile und Plug-ins aus dem Marketplace hinzufügen\n"
+"- Materialprofile und Plug-ins sichern und synchronisieren\n"
+"- Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr "Kostenloses Ultimaker-Konto erstellen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr "Letztes Update: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr "Ultimaker‑Konto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr "Abmelden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr "Überprüfung läuft ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr "Konto wurde synchronisiert"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr "Irgendetwas ist schief gelaufen ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr "Ausstehende Updates installieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr "Nach Updates für das Konto suchen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr "Unbenannt"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr "Keine auswählbaren Einträge"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr "Online-Fehlerbehebung anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr "Umschalten auf Vollbild-Modus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr "Vollbildmodus beenden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr "&Rückgängig machen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr "&Wiederholen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr "&Beenden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr "3D-Ansicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr "Vorderansicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr "Draufsicht"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr "Ansicht von unten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr "Ansicht von links"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr "Ansicht von rechts"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr "Cura konfigurieren..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr "&Drucker hinzufügen..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr "Dr&ucker verwalten..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr "Materialien werden verwaltet..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr "Weiteres Material aus Marketplace hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr "&Profil mit aktuellen Einstellungen/Überschreibungen aktualisieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr "&Aktuelle Änderungen verwerfen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr "P&rofil von aktuellen Einstellungen/Überschreibungen erstellen..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr "Profile verwalten..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr "Online-&Dokumentation anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr "&Fehler melden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr "Neuheiten"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr "Über..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr "Ausgewählte löschen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr "Ausgewählte zentrieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr "Ausgewählte vervielfachen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr "Modell löschen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr "Modell auf Druckplatte ze&ntrieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr "Modelle &gruppieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr "Gruppierung für Modelle aufheben"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr "Modelle &zusammenführen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr "Modell &multiplizieren..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr "Alle Modelle wählen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr "Druckplatte reinigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr "Alle Modelle neu laden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr "Alle Modelle an allen Druckplatten anordnen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr "Alle Modelle anordnen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr "Anordnung auswählen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr "Alle Modellpositionen zurücksetzen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr "Alle Modelltransformationen zurücksetzen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr "&Datei(en) öffnen..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr "&Neues Projekt..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr "Konfigurationsordner anzeigen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr "Sichtbarkeit einstellen wird konfiguriert..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr "&Marktplatz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid "This setting is not used because all the settings that it influences are overridden."
msgstr "Diese Einstellung wird nicht verwendet, weil alle hierdurch beeinflussten Einstellungen aufgehoben werden."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr "Hat Einfluss auf"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr "Wird beeinflusst von"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
msgstr "Diese Einstellung wird stets zwischen allen Extrudern geteilt. Eine Änderung ändert den Wert für alle Extruder."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr "Diese Einstellung wird durch gegensätzliche, extruderspezifische Werte gelöst:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5374,7 +5824,7 @@ msgstr ""
"\n"
"Klicken Sie, um den Wert des Profils wiederherzustellen."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value set.\n"
@@ -5385,509 +5835,93 @@ msgstr ""
"\n"
"Klicken Sie, um den berechneten Wert wiederherzustellen."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr "Einstellungen durchsuchen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr "Werte für alle Extruder kopieren"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr "Alle geänderten Werte für alle Extruder kopieren"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr "Diese Einstellung ausblenden"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr "Diese Einstellung ausblenden"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr "Diese Einstellung weiterhin anzeigen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr "3D-Ansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr "Vorderansicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr "Draufsicht"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr "Ansicht von links"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr "Ansicht von rechts"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
-msgid "View type"
-msgstr "Typ anzeigen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
-msgctxt "@label"
-msgid "Add a Cloud printer"
-msgstr "Einen Cloud-Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
-msgstr "Auf eine Antwort von der Cloud warten"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
-msgstr "Keine Drucker in Ihrem Konto gefunden?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
-msgstr "Folgende Drucker in Ihrem Konto wurden zu Cura hinzugefügt:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr "Drucker manuell hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr "Hersteller"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr "Autor des Profils"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr "Druckername"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr "Bitte weisen Sie Ihrem Drucker einen Namen zu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
-msgstr "Einen Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr "Einen vernetzten Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr "Einen unvernetzten Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr "Kein Drucker in Ihrem Netzwerk gefunden."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr "Aktualisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr "Drucker nach IP hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr "Ein Cloud-Drucker hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr "Störungen beheben"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr "Drucker nach IP-Adresse hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr "Geben Sie die IP-Adresse Ihres Druckers ein."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr "Hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr "Verbindung mit Drucker nicht möglich."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr "Sie können keine Verbindung zu Ihrem Ultimaker-Drucker herstellen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr "Der Drucker unter dieser Adresse hat noch nicht reagiert."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
-msgctxt "@label"
-msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
-msgstr "Dieser Drucker kann nicht hinzugefügt werden, weil es sich um einen unbekannten Drucker handelt oder er nicht im Host einer Gruppe enthalten ist."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr "Zurück"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr "Verbinden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
-msgctxt "@label"
-msgid "Release Notes"
-msgstr "Versionshinweise"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
-msgstr "Materialeinstellungen und Plug-ins aus dem Marketplace hinzufügen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
-msgstr "Materialeinstellungen und Plug-ins sichern und synchronisieren"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
-msgstr "Ideenaustausch mit und Hilfe von mehr als 48.000 Benutzern in der Ultimaker Community"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
-msgstr "Überspringen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
-msgstr "Kostenloses Ultimaker-Konto erstellen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr "Helfen Sie uns, Ultimaker Cura zu verbessern"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
-msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
-msgstr "Ultimaker Cura erfasst anonyme Daten, um die Druckqualität und Benutzererfahrung zu steigern. Dazu gehören:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
-msgstr "Gerätetypen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr "Materialverbrauch"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr "Anzahl der Slices"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr "Druckeinstellungen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid "Data collected by Ultimaker Cura will not contain any personal information."
-msgstr "Die von Ultimaker Cura erfassten Daten enthalten keine personenbezogenen Daten."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr "Mehr Informationen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr "Leer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr "Benutzervereinbarung"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr "Ablehnen und schließen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr "Willkommen bei Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgid ""
+"Some hidden settings use values different from their normal calculated value.\n"
+"\n"
+"Click to make these settings visible."
msgstr ""
-"Befolgen Sie bitte diese Schritte für das Einrichten von\n"
-"Ultimaker Cura. Dies dauert nur wenige Sekunden."
+"Einige ausgeblendete Einstellungen verwenden Werte, die von ihren normalen, berechneten Werten abweichen.\n"
+"\n"
+"Klicken Sie, um diese Einstellungen sichtbar zu machen."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr "Erste Schritte"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
+msgid "This package will be installed after restarting."
+msgstr "Dieses Paket wird nach einem Neustart installiert."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
+msgstr "Einstellungen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
+msgstr "%1 wird geschlossen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
+msgstr "Möchten Sie %1 wirklich beenden?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
+msgstr "Paket installieren"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
+msgstr "Datei(en) öffnen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
+msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
+msgstr "Es wurden eine oder mehrere G-Code-Datei(en) innerhalb der von Ihnen gewählten Dateien gefunden. Sie können nur eine G-Code-Datei auf einmal öffnen. Wenn Sie eine G-Code-Datei öffnen möchten wählen Sie bitte nur eine Datei."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
+msgstr "Drucker hinzufügen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
msgstr "Neuheiten"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr "Keine auswählbaren Einträge"
-
-#: ModelChecker/plugin.json
-msgctxt "description"
-msgid "Checks models and print configuration for possible printing issues and give suggestions."
-msgstr "Überprüft Modelle und Druckkonfiguration auf mögliche Probleme und erteilt Empfehlungen."
-
-#: ModelChecker/plugin.json
-msgctxt "name"
-msgid "Model Checker"
-msgstr "Modell-Prüfer"
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr "Ermöglicht das Lesen von 3MF-Dateien."
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr "3MF-Reader"
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr "Bietet Unterstützung für das Schreiben von 3MF-Dateien."
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr "3MF-Writer"
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr "Ermöglicht das Lesen von AMF-Dateien."
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr "AMF-Reader"
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr "Sicherung und Wiederherstellen Ihrer Konfiguration."
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr "Cura-Backups"
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr "Stellt die Verbindung zum Slicing-Backend der CuraEngine her."
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
-msgstr "CuraEngine Backend"
-
-#: CuraProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing Cura profiles."
-msgstr "Ermöglicht das Importieren von Cura-Profilen."
-
-#: CuraProfileReader/plugin.json
-msgctxt "name"
-msgid "Cura Profile Reader"
-msgstr "Cura-Profil-Reader"
-
-#: CuraProfileWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
-msgstr "Ermöglicht das Exportieren von Cura-Profilen."
-
-#: CuraProfileWriter/plugin.json
-msgctxt "name"
-msgid "Cura Profile Writer"
-msgstr "Cura-Profil-Writer"
-
-#: DigitalLibrary/plugin.json
-msgctxt "description"
-msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
-msgstr "Stellt eine Verbindung zur Digitalen Bibliothek her und ermöglicht es Cura, Dateien aus der Digitalen Bibliothek zu öffnen und darin zu speichern."
-
-#: DigitalLibrary/plugin.json
-msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr "Digitale Bibliothek von Ultimaker"
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr "Nach Firmware-Updates suchen."
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr "Firmware-Update-Prüfer"
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr "Ermöglicht Gerätemaßnahmen für die Aktualisierung der Firmware."
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr "Firmware-Aktualisierungsfunktion"
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr "Liest G-Code-Format aus einem komprimierten Archiv."
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr "Reader für komprimierten G-Code"
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr "G-Code wird in ein komprimiertes Archiv geschrieben."
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr "Writer für komprimierten G-Code"
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr "Ermöglicht das Importieren von Profilen aus G-Code-Dateien."
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr "G-Code-Profil-Reader"
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr "Ermöglicht das Laden und Anzeigen von G-Code-Dateien."
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr "G-Code-Reader"
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr "Schreibt G-Code in eine Datei."
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr "G-Code-Writer"
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr "Ermöglicht Erstellung von druckbarer Geometrie aus einer 2D-Bilddatei."
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr "Bild-Reader"
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr "Bietet Unterstützung für den Import von Profilen der Vorgängerversionen von Cura."
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
-msgstr "Cura-Vorgängerprofil-Reader"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "description"
-msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
-msgstr "Beschreibt die Durchführung der Geräteeinstellung (z. B. Druckabmessung, Düsengröße usw.)"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "name"
-msgid "Machine Settings Action"
-msgstr "Beschreibung Geräteeinstellungen"
-
-#: MonitorStage/plugin.json
-msgctxt "description"
-msgid "Provides a monitor stage in Cura."
-msgstr "Bietet eine Überwachungsstufe in Cura."
-
-#: MonitorStage/plugin.json
-msgctxt "name"
-msgid "Monitor Stage"
-msgstr "Überwachungsstufe"
-
#: PerObjectSettingsTool/plugin.json
msgctxt "description"
msgid "Provides the Per Model Settings."
@@ -5898,85 +5932,45 @@ msgctxt "name"
msgid "Per Model Settings Tool"
msgstr "Werkzeug „Einstellungen pro Objekt“"
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr "Erweiterung, die eine Nachbearbeitung von Skripten ermöglicht, die von Benutzern erstellt wurden"
+msgid "Provides support for importing Cura profiles."
+msgstr "Ermöglicht das Importieren von Cura-Profilen."
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "name"
-msgid "Post Processing"
-msgstr "Nachbearbeitung"
+msgid "Cura Profile Reader"
+msgstr "Cura-Profil-Reader"
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides a prepare stage in Cura."
-msgstr "Bietet eine Vorbereitungsstufe in Cura."
+msgid "Provides support for reading X3D files."
+msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien."
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "name"
-msgid "Prepare Stage"
-msgstr "Vorbereitungsstufe"
+msgid "X3D Reader"
+msgstr "X3D-Reader"
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "description"
-msgid "Provides a preview stage in Cura."
-msgstr "Bietet eine Vorschaustufe in Cura."
+msgid "Backup and restore your configuration."
+msgstr "Sicherung und Wiederherstellen Ihrer Konfiguration."
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Preview Stage"
-msgstr "Vorschaustufe"
+msgid "Cura Backups"
+msgstr "Cura-Backups"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "description"
-msgid "Provides removable drive hotplugging and writing support."
-msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben."
+msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
+msgstr "Beschreibt die Durchführung der Geräteeinstellung (z. B. Druckabmessung, Düsengröße usw.)"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "name"
-msgid "Removable Drive Output Device Plugin"
-msgstr "Ausgabegerät-Plugin für Wechseldatenträger"
-
-#: SentryLogger/plugin.json
-msgctxt "description"
-msgid "Logs certain events so that they can be used by the crash reporter"
-msgstr "Protokolliert bestimmte Ereignisse, damit diese vom Absturzbericht verwendet werden können"
-
-#: SentryLogger/plugin.json
-msgctxt "name"
-msgid "Sentry Logger"
-msgstr "Sentry-Protokolleinrichtung"
-
-#: SimulationView/plugin.json
-msgctxt "description"
-msgid "Provides the Simulation view."
-msgstr "Ermöglicht die Simulationsansicht."
-
-#: SimulationView/plugin.json
-msgctxt "name"
-msgid "Simulation View"
-msgstr "Simulationsansicht"
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "description"
-msgid "Submits anonymous slice info. Can be disabled through preferences."
-msgstr "Sendet anonymisierte Slice-Informationen. Kann in den Einstellungen deaktiviert werden."
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "name"
-msgid "Slice info"
-msgstr "Slice-Informationen"
-
-#: SolidView/plugin.json
-msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr "Bietet eine normale, solide Netzansicht."
-
-#: SolidView/plugin.json
-msgctxt "name"
-msgid "Solid View"
-msgstr "Solide Ansicht"
+msgid "Machine Settings Action"
+msgstr "Beschreibung Geräteeinstellungen"
#: SupportEraser/plugin.json
msgctxt "description"
@@ -5988,35 +5982,45 @@ msgctxt "name"
msgid "Support Eraser"
msgstr "Stützstruktur-Radierer"
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "description"
-msgid "Find, manage and install new Cura packages."
-msgstr "Neue Cura Pakete finden, verwalten und installieren."
+msgid "Provides removable drive hotplugging and writing support."
+msgstr "Ermöglicht Hotplugging des Wechseldatenträgers und Beschreiben."
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "name"
-msgid "Toolbox"
-msgstr "Toolbox"
+msgid "Removable Drive Output Device Plugin"
+msgstr "Ausgabegerät-Plugin für Wechseldatenträger"
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "description"
-msgid "Provides support for reading model files."
-msgstr "Unterstützt das Lesen von Modelldateien."
+msgid "Provides a machine actions for updating firmware."
+msgstr "Ermöglicht Gerätemaßnahmen für die Aktualisierung der Firmware."
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "name"
-msgid "Trimesh Reader"
-msgstr "Trimesh Reader"
+msgid "Firmware Updater"
+msgstr "Firmware-Aktualisierungsfunktion"
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
-msgstr "Bietet Unterstützung für das Lesen von Ultimaker Format Packages."
+msgid "Provides support for importing profiles from legacy Cura versions."
+msgstr "Bietet Unterstützung für den Import von Profilen der Vorgängerversionen von Cura."
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "name"
-msgid "UFP Reader"
-msgstr "UFP-Reader"
+msgid "Legacy Cura Profile Reader"
+msgstr "Cura-Vorgängerprofil-Reader"
+
+#: 3MFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading 3MF files."
+msgstr "Ermöglicht das Lesen von 3MF-Dateien."
+
+#: 3MFReader/plugin.json
+msgctxt "name"
+msgid "3MF Reader"
+msgstr "3MF-Reader"
#: UFPWriter/plugin.json
msgctxt "description"
@@ -6028,25 +6032,95 @@ msgctxt "name"
msgid "UFP Writer"
msgstr "UFP-Writer"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "description"
-msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
-msgstr "Ermöglicht Maschinenabläufe für Ultimaker-Maschinen (z. B. Assistent für Bettnivellierung, Auswahl von Upgrades usw.)"
+msgid "Logs certain events so that they can be used by the crash reporter"
+msgstr "Protokolliert bestimmte Ereignisse, damit diese vom Absturzbericht verwendet werden können"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "name"
-msgid "Ultimaker machine actions"
-msgstr "Ultimaker-Maschinenabläufe"
+msgid "Sentry Logger"
+msgstr "Sentry-Protokolleinrichtung"
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
-msgstr "Verwaltet Netzwerkverbindungen zu Ultimaker-Netzwerkdruckern."
+msgid "Provides support for importing profiles from g-code files."
+msgstr "Ermöglicht das Importieren von Profilen aus G-Code-Dateien."
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "name"
-msgid "Ultimaker Network Connection"
-msgstr "Ultimaker-Netzwerkverbindung"
+msgid "G-code Profile Reader"
+msgstr "G-Code-Profil-Reader"
+
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
+msgstr "Bietet eine Vorschaustufe in Cura."
+
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr "Vorschaustufe"
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr "Stellt die Röntgen-Ansicht bereit."
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr "Röntgen-Ansicht"
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr "Stellt die Verbindung zum Slicing-Backend der CuraEngine her."
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr "CuraEngine Backend"
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr "Ermöglicht das Lesen von AMF-Dateien."
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr "AMF-Reader"
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr "Liest G-Code-Format aus einem komprimierten Archiv."
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr "Reader für komprimierten G-Code"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr "Erweiterung, die eine Nachbearbeitung von Skripten ermöglicht, die von Benutzern erstellt wurden"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr "Nachbearbeitung"
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr "Ermöglicht das Exportieren von Cura-Profilen."
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr "Cura-Profil-Writer"
#: USBPrinting/plugin.json
msgctxt "description"
@@ -6058,25 +6132,135 @@ msgctxt "name"
msgid "USB printing"
msgstr "USB-Drucken"
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
-msgstr "Aktualisiert Konfigurationen von Cura 2.1 auf Cura 2.2."
+msgid "Provides a prepare stage in Cura."
+msgstr "Bietet eine Vorbereitungsstufe in Cura."
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
-msgstr "Upgrade von Version 2.1 auf 2.2"
+msgid "Prepare Stage"
+msgstr "Vorbereitungsstufe"
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
-msgstr "Aktualisiert Konfigurationen von Cura 2.2 auf Cura 2.4."
+msgid "Allows loading and displaying G-code files."
+msgstr "Ermöglicht das Laden und Anzeigen von G-Code-Dateien."
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
-msgstr "Upgrade von Version 2.2 auf 2.4"
+msgid "G-code Reader"
+msgstr "G-Code-Reader"
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr "Ermöglicht Erstellung von druckbarer Geometrie aus einer 2D-Bilddatei."
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr "Bild-Reader"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "description"
+msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
+msgstr "Ermöglicht Maschinenabläufe für Ultimaker-Maschinen (z. B. Assistent für Bettnivellierung, Auswahl von Upgrades usw.)"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "name"
+msgid "Ultimaker machine actions"
+msgstr "Ultimaker-Maschinenabläufe"
+
+#: GCodeGzWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a compressed archive."
+msgstr "G-Code wird in ein komprimiertes Archiv geschrieben."
+
+#: GCodeGzWriter/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Writer"
+msgstr "Writer für komprimierten G-Code"
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr "Nach Firmware-Updates suchen."
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr "Firmware-Update-Prüfer"
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "description"
+msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgstr "Sendet anonymisierte Slice-Informationen. Kann in den Einstellungen deaktiviert werden."
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "name"
+msgid "Slice info"
+msgstr "Slice-Informationen"
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "description"
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr "Bietet Möglichkeiten, um XML-basierte Materialprofile zu lesen und zu schreiben."
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "name"
+msgid "Material Profiles"
+msgstr "Materialprofile"
+
+#: DigitalLibrary/plugin.json
+msgctxt "description"
+msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
+msgstr "Stellt eine Verbindung zur Digitalen Bibliothek her und ermöglicht es Cura, Dateien aus der Digitalen Bibliothek zu öffnen und darin zu speichern."
+
+#: DigitalLibrary/plugin.json
+msgctxt "name"
+msgid "Ultimaker Digital Library"
+msgstr "Digitale Bibliothek von Ultimaker"
+
+#: Toolbox/plugin.json
+msgctxt "description"
+msgid "Find, manage and install new Cura packages."
+msgstr "Neue Cura Pakete finden, verwalten und installieren."
+
+#: Toolbox/plugin.json
+msgctxt "name"
+msgid "Toolbox"
+msgstr "Toolbox"
+
+#: GCodeWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a file."
+msgstr "Schreibt G-Code in eine Datei."
+
+#: GCodeWriter/plugin.json
+msgctxt "name"
+msgid "G-code Writer"
+msgstr "G-Code-Writer"
+
+#: SimulationView/plugin.json
+msgctxt "description"
+msgid "Provides the Simulation view."
+msgstr "Ermöglicht die Simulationsansicht."
+
+#: SimulationView/plugin.json
+msgctxt "name"
+msgid "Simulation View"
+msgstr "Simulationsansicht"
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
+msgstr "Upgrade der Konfigurationen von Cura 4.5 auf Cura 4.6."
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.5 to 4.6"
+msgstr "Upgrade von Version 4.5 auf 4.6"
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
msgctxt "description"
@@ -6088,55 +6272,25 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr "Upgrade von Version 2.5 auf 2.6"
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
-msgstr "Aktualisiert Konfigurationen von Cura 2.6 auf Cura 2.7."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
+msgstr "Upgrade der Konfigurationen von Cura 4.6.0 auf Cura 4.6.2."
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
-msgstr "Upgrade von Version 2.6 auf 2.7"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
+msgstr "Upgrade von Version 4.6.0 auf 4.6.2"
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
-msgstr "Aktualisiert Konfigurationen von Cura 2.7 auf Cura 3.0."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
+msgstr "Upgrade der Konfigurationen von Cura 4.7 auf Cura 4.8."
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr "Upgrade von Version 2.7 auf 3.0"
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
-msgstr "Aktualisiert Konfigurationen von Cura 3.0 auf Cura 3.1."
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
-msgstr "Upgrade von Version 3.0 auf 3.1"
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
-msgstr "Aktualisiert Konfigurationen von Cura 3.2 auf Cura 3.3."
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr "Upgrade von Version 3.2 auf 3.3"
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr "Aktualisiert Konfigurationen von Cura 3.3 auf Cura 3.4."
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
-msgstr "Upgrade von Version 3.3 auf 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
+msgstr "Upgrade von Version 4.7 auf 4.8"
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
msgctxt "description"
@@ -6148,45 +6302,45 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr "Upgrade von Version 3.4 auf 3.5"
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
-msgstr "Aktualisiert Konfigurationen von Cura 3.5 auf Cura 4.0."
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgstr "Aktualisiert Konfigurationen von Cura 2.1 auf Cura 2.2."
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
-msgstr "Upgrade von Version 3.5 auf 4.0"
+msgid "Version Upgrade 2.1 to 2.2"
+msgstr "Upgrade von Version 2.1 auf 2.2"
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
-msgstr "Aktualisiert Konfigurationen von Cura 4.0 auf Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
+msgstr "Aktualisiert Konfigurationen von Cura 3.2 auf Cura 3.3."
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
-msgstr "Upgrade von Version 4.0 auf 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
+msgstr "Upgrade von Version 3.2 auf 3.3"
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
-msgstr ""
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
+msgstr "Upgrade der Konfigurationen von Cura 4.8 auf Cura 4.9."
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
-msgstr ""
+msgid "Version Upgrade 4.8 to 4.9"
+msgstr "Upgrade von Version 4.8 auf 4.9"
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
-msgstr "Aktualisiert Konfigurationen von Cura 4.1 auf Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
+msgstr "Aktualisiert Konfigurationen von Cura 4.6.2 auf Cura 4.7."
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
-msgstr "Upgrade von Version 4.1 auf 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
+msgstr "Upgrade von Version 4.6.2 auf 4.7"
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
msgctxt "description"
@@ -6208,66 +6362,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr "Upgrade von Version 4.3 auf 4.4"
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr "Upgrade der Konfigurationen von Cura 4.4 auf Cura 4.5."
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr "Upgrade von Version 4.4 auf 4.5"
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr "Upgrade der Konfigurationen von Cura 4.5 auf Cura 4.6."
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr "Upgrade von Version 4.5 auf 4.6"
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr "Upgrade der Konfigurationen von Cura 4.6.0 auf Cura 4.6.2."
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr "Upgrade von Version 4.6.0 auf 4.6.2"
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr "Aktualisiert Konfigurationen von Cura 4.6.2 auf Cura 4.7."
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr "Upgrade von Version 4.6.2 auf 4.7"
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr "Upgrade der Konfigurationen von Cura 4.7 auf Cura 4.8."
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr "Upgrade von Version 4.7 auf 4.8"
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr "Upgrade der Konfigurationen von Cura 4.8 auf Cura 4.9."
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr "Upgrade von Version 4.8 auf 4.9"
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6278,35 +6372,175 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr "Upgrade von Version 4.9 auf 4.10"
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
-msgstr "Bietet Unterstützung für das Lesen von X3D-Dateien."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgstr "Aktualisiert Konfigurationen von Cura 2.7 auf Cura 3.0."
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
-msgstr "X3D-Reader"
+msgid "Version Upgrade 2.7 to 3.0"
+msgstr "Upgrade von Version 2.7 auf 3.0"
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
-msgstr "Bietet Möglichkeiten, um XML-basierte Materialprofile zu lesen und zu schreiben."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgstr "Aktualisiert Konfigurationen von Cura 2.6 auf Cura 2.7."
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
-msgstr "Materialprofile"
+msgid "Version Upgrade 2.6 to 2.7"
+msgstr "Upgrade von Version 2.6 auf 2.7"
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
-msgstr "Stellt die Röntgen-Ansicht bereit."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgstr "Aktualisiert die Konfigurationen von Cura 4.11 auf Cura 4.12."
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
-msgstr "Röntgen-Ansicht"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr "Upgrade von Version 4.11 auf 4.12"
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr "Aktualisiert Konfigurationen von Cura 3.3 auf Cura 3.4."
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr "Upgrade von Version 3.3 auf 3.4"
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr "Aktualisiert Konfigurationen von Cura 3.0 auf Cura 3.1."
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr "Upgrade von Version 3.0 auf 3.1"
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr "Aktualisiert Konfigurationen von Cura 4.0 auf Cura 4.1."
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr "Upgrade von Version 4.0 auf 4.1"
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr "Upgrade der Konfigurationen von Cura 4.4 auf Cura 4.5."
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr "Upgrade von Version 4.4 auf 4.5"
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr "Aktualisiert Konfigurationen von Cura 2.2 auf Cura 2.4."
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr "Upgrade von Version 2.2 auf 2.4"
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr "Aktualisiert Konfigurationen von Cura 4.1 auf Cura 4.2."
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr "Upgrade von Version 4.1 auf 4.2"
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr "Aktualisiert Konfigurationen von Cura 3.5 auf Cura 4.0."
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr "Upgrade von Version 3.5 auf 4.0"
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr "Verwaltet Netzwerkverbindungen zu Ultimaker-Netzwerkdruckern."
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr "Ultimaker-Netzwerkverbindung"
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr "Unterstützt das Lesen von Modelldateien."
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr "Trimesh Reader"
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr "Bietet Unterstützung für das Lesen von Ultimaker Format Packages."
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr "UFP-Reader"
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr "Bietet eine normale, solide Netzansicht."
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr "Solide Ansicht"
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr "Bietet Unterstützung für das Schreiben von 3MF-Dateien."
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr "3MF-Writer"
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr "Bietet eine Überwachungsstufe in Cura."
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr "Überwachungsstufe"
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid "Checks models and print configuration for possible printing issues and give suggestions."
+msgstr "Überprüft Modelle und Druckkonfiguration auf mögliche Probleme und erteilt Empfehlungen."
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
+msgstr "Modell-Prüfer"
#~ msgctxt "@info:status"
#~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account."
diff --git a/resources/i18n/de_DE/fdmextruder.def.json.po b/resources/i18n/de_DE/fdmextruder.def.json.po
index 37b3deae31..76cc994c6c 100644
--- a/resources/i18n/de_DE/fdmextruder.def.json.po
+++ b/resources/i18n/de_DE/fdmextruder.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: 2021-04-16 15:15+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: German\n"
diff --git a/resources/i18n/de_DE/fdmprinter.def.json.po b/resources/i18n/de_DE/fdmprinter.def.json.po
index 904b22f2e1..e7b765f9c7 100644
--- a/resources/i18n/de_DE/fdmprinter.def.json.po
+++ b/resources/i18n/de_DE/fdmprinter.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: 2021-04-16 15:16+0200\n"
"Last-Translator: Lionbridge \n"
"Language-Team: German , German \n"
@@ -57,8 +57,6 @@ msgid ""
"G-code commands to be executed at the very start - separated by \n"
"."
msgstr ""
-"G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \n"
-"."
#: fdmprinter.def.json
msgctxt "machine_end_gcode label"
@@ -71,8 +69,6 @@ msgid ""
"G-code commands to be executed at the very end - separated by \n"
"."
msgstr ""
-"G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \n"
-"."
#: fdmprinter.def.json
msgctxt "material_guid label"
@@ -154,6 +150,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr "Die Tiefe (Y-Richtung) des druckbaren Bereichs."
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr "Gerätehöhe"
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr "Die Höhe (Z-Richtung) des druckbaren Bereichs."
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -194,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr "Aluminium"
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr "Gerätehöhe"
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr "Die Höhe (Z-Richtung) des druckbaren Bereichs."
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -561,8 +557,8 @@ msgstr "Die Maximaldrehzahl für den Motor der Z-Richtung."
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
-msgstr "Maximaler Vorschub"
+msgid "Maximum Speed E"
+msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e description"
@@ -1267,7 +1263,7 @@ msgstr "Intelligent verbergen"
#: fdmprinter.def.json
msgctxt "z_seam_relative label"
msgid "Z Seam Relative"
-msgstr "Realitvwert der Z-Naht"
+msgstr "Relativwert der Z-Naht"
#: fdmprinter.def.json
msgctxt "z_seam_relative description"
@@ -1731,7 +1727,7 @@ msgstr "Füllmuster"
#: fdmprinter.def.json
msgctxt "infill_pattern description"
-msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -1787,12 +1783,12 @@ msgstr "Zickzack"
#: fdmprinter.def.json
msgctxt "infill_pattern option cross"
msgid "Cross"
-msgstr "Quer"
+msgstr "Kreuz"
#: fdmprinter.def.json
msgctxt "infill_pattern option cross_3d"
msgid "Cross 3D"
-msgstr "3D-Quer"
+msgstr "3D-Kreuz"
#: fdmprinter.def.json
msgctxt "infill_pattern option gyroid"
@@ -1802,7 +1798,7 @@ msgstr "Gyroid"
#: fdmprinter.def.json
msgctxt "infill_pattern option lightning"
msgid "Lightning"
-msgstr ""
+msgstr "Blitz"
#: fdmprinter.def.json
msgctxt "zig_zaggify_infill label"
@@ -2021,41 +2017,41 @@ msgstr "Die Anzahl der zusätzlichen Schichten, die die Außenhautkanten stütze
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle label"
msgid "Lightning Infill Support Angle"
-msgstr ""
+msgstr "Stützwinkel der Blitz-Füllung"
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle description"
msgid "Determines when a lightning infill layer has to support anything above it. Measured in the angle given the thickness of a layer."
-msgstr ""
+msgstr "Legt fest, wann eine Blitz-Füllschicht alles Darüberliegende tragen soll. Gemessen in dem Winkel, den die Schichtstärke vorgibt."
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle label"
msgid "Lightning Infill Overhang Angle"
-msgstr ""
+msgstr "Überstandswinkel der Blitz-Füllung"
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle description"
msgid "Determines when a lightning infill layer has to support the model above it. Measured in the angle given the thickness."
-msgstr ""
+msgstr "Legt fest, wann eine Blitz-Füllschicht das Modell darüber tragen soll. Gemessen in dem Winkel, den die Schichtstärke vorgibt."
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle label"
msgid "Lightning Infill Prune Angle"
-msgstr ""
+msgstr "Beschnittwinkel der Blitz-Füllung"
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle label"
msgid "Lightning Infill Straightening Angle"
-msgstr ""
+msgstr "Begradigungswinkel der Blitz-Füllung"
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
@@ -3251,7 +3247,7 @@ msgstr "Alle"
#: fdmprinter.def.json
msgctxt "retraction_combing option no_outer_surfaces"
msgid "Not on Outer Surface"
-msgstr ""
+msgstr "Nicht auf der Außenfläche"
#: fdmprinter.def.json
msgctxt "retraction_combing option noskin"
@@ -3266,7 +3262,7 @@ msgstr "Innerhalb der Füllung"
#: fdmprinter.def.json
msgctxt "retraction_combing_max_distance label"
msgid "Max Comb Distance With No Retract"
-msgstr "Max. Kammentfernung ohne Einziehen"
+msgstr "Max. Combing Entfernung ohne Einziehen"
#: fdmprinter.def.json
msgctxt "retraction_combing_max_distance description"
@@ -3356,7 +3352,7 @@ msgstr "Führen Sie nur einen Z-Sprung aus, wenn Sie über gedruckte Teile fahre
#: fdmprinter.def.json
msgctxt "retraction_hop label"
msgid "Z Hop Height"
-msgstr "Z-Spring Höhe"
+msgstr "Z-Sprung Höhe"
#: fdmprinter.def.json
msgctxt "retraction_hop description"
@@ -3366,22 +3362,22 @@ msgstr "Der Höhenunterschied bei Ausführung eines Z-Sprungs."
#: fdmprinter.def.json
msgctxt "retraction_hop_after_extruder_switch label"
msgid "Z Hop After Extruder Switch"
-msgstr "Z-Sprung nach Extruder-Schalter"
+msgstr "Z-Sprung nach Extruder-Wechsel"
#: fdmprinter.def.json
msgctxt "retraction_hop_after_extruder_switch description"
msgid "After the machine switched from one extruder to the other, the build plate is lowered to create clearance between the nozzle and the print. This prevents the nozzle from leaving oozed material on the outside of a print."
-msgstr "Nachdem das Gerät von einem Extruder zu einem anderen geschaltet hat, wird die Druckplatte abgesenkt, um einen Abstand zwischen der Düse und dem Druck zu bilden. Das verhindert, dass die Düse abgesondertes Material auf der Außenseite des Drucks hinterlässt."
+msgstr "Nachdem das Gerät von einem Extruder zu einem anderen gewechselt hat, wird die Druckplatte abgesenkt, um einen Abstand zwischen der Düse und dem Druck zu bilden. Das verhindert, dass die Düse abgesondertes Material auf der Außenseite des Drucks hinterlässt."
#: fdmprinter.def.json
msgctxt "retraction_hop_after_extruder_switch_height label"
msgid "Z Hop After Extruder Switch Height"
-msgstr "Z-Sprung nach Extruder-Schalterhöhe"
+msgstr "Z-Sprung Höhe nach Extruder-Wechsel"
#: fdmprinter.def.json
msgctxt "retraction_hop_after_extruder_switch_height description"
msgid "The height difference when performing a Z Hop after extruder switch."
-msgstr "Der Höhenunterschied bei Ausführung eines Z-Sprungs nach Extruder-Schalter."
+msgstr "Der Höhenunterschied bei Ausführung eines Z-Sprungs nach Extruder-Wechsel."
#: fdmprinter.def.json
msgctxt "cooling label"
@@ -4890,7 +4886,7 @@ msgstr "Das Mindestvolumen für jede Schicht des Einzugsturms, um ausreichend Ma
#: fdmprinter.def.json
msgctxt "prime_tower_position_x label"
msgid "Prime Tower X Position"
-msgstr "X-Position für Einzugsturm"
+msgstr "X-Position des Einzugsturm"
#: fdmprinter.def.json
msgctxt "prime_tower_position_x description"
@@ -4960,7 +4956,7 @@ msgstr "Der Abstand des Sicherschutzes zum gedruckten Objekt in den X/Y-Richtung
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_amount label"
msgid "Nozzle Switch Retraction Distance"
-msgstr "Düsenschalter Einzugsabstand"
+msgstr "Düsenwechsel Einzugsabstand"
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_amount description"
@@ -4970,7 +4966,7 @@ msgstr "Der Wert für den Einzug beim Umstellen der Extruder: 0 einstellen, um k
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_speeds label"
msgid "Nozzle Switch Retraction Speed"
-msgstr "Düsenschalter Rückzugsgeschwindigkeit"
+msgstr "Düsenwechsel Rückzugsgeschwindigkeit"
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_speeds description"
@@ -4980,22 +4976,22 @@ msgstr "Die Geschwindigkeit, mit der das Filament zurückgezogen wird. Eine höh
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_speed label"
msgid "Nozzle Switch Retract Speed"
-msgstr "Düsenschalter Rückzuggeschwindigkeit"
+msgstr "Düsenwechsel Rückzuggeschwindigkeit"
#: fdmprinter.def.json
msgctxt "switch_extruder_retraction_speed description"
msgid "The speed at which the filament is retracted during a nozzle switch retract."
-msgstr "Die Geschwindigkeit, mit der das Filament während eines Düsenschaltereinzugs zurückgezogen wird."
+msgstr "Die Geschwindigkeit, mit der das Filament während eines Düsenwechseleinzugs zurückgezogen wird."
#: fdmprinter.def.json
msgctxt "switch_extruder_prime_speed label"
msgid "Nozzle Switch Prime Speed"
-msgstr "Düsenschalter Einzugsgeschwindigkeit (Zurückschieben)"
+msgstr "Düsenwechsel Einzugsgeschwindigkeit (Zurückschieben)"
#: fdmprinter.def.json
msgctxt "switch_extruder_prime_speed description"
msgid "The speed at which the filament is pushed back after a nozzle switch retraction."
-msgstr "Die Geschwindigkeit, mit der das Filament während eines Düsenschaltereinzugs zurückgeschoben wird."
+msgstr "Die Geschwindigkeit, mit der das Filament während eines Düsenwechseleinzugs zurückgeschoben wird."
#: fdmprinter.def.json
msgctxt "switch_extruder_extra_prime_amount label"
@@ -5205,7 +5201,7 @@ msgstr "Mindestbreite der Form"
#: fdmprinter.def.json
msgctxt "mold_width description"
msgid "The minimal distance between the outside of the mold and the outside of the model."
-msgstr ""
+msgstr "Der Mindestabstand zwischen der Außenseite der Form und der Außenseite des Modells."
#: fdmprinter.def.json
msgctxt "mold_roof_height label"
@@ -5285,7 +5281,7 @@ msgstr "Durch Spiralisieren wird die Z-Bewegung der äußeren Kante geglättet.
#: fdmprinter.def.json
msgctxt "smooth_spiralized_contours label"
msgid "Smooth Spiralized Contours"
-msgstr "Spiralisieren der äußeren Konturen glätten"
+msgstr "Glätten der spiralisierten Kontur"
#: fdmprinter.def.json
msgctxt "smooth_spiralized_contours description"
@@ -6481,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angewandt wird."
+#~ msgctxt "machine_start_gcode description"
+#~ msgid "G-code commands to be executed at the very start - separated by \\n."
+#~ msgstr "G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \\n."
+
+#~ msgctxt "machine_end_gcode description"
+#~ msgid "G-code commands to be executed at the very end - separated by \\n."
+#~ msgstr "G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \\n."
+
+#~ msgctxt "machine_max_feedrate_e label"
+#~ msgid "Maximum Feedrate"
+#~ msgstr "Maximaler Vorschub"
+
+#~ msgctxt "infill_pattern description"
+#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+#~ msgstr "Das Muster des Füllmaterials des Drucks. Die Linien- und Zickzackfüllmethode wechseln nach jeder Schicht die Richtung, um Materialkosten zu reduzieren. Die Gitter-, Dreieck- Tri-Hexagon-, Würfel-, Octahedral-, Viertelwürfel-, Quer- und konzentrischen Muster werden in jeder Schicht vollständig gedruckt. Gyroid-, Würfel-, Viertelwürfel- und achtflächige Füllungen wechseln mit jeder Schicht, um eine gleichmäßigere Verteilung der Stärke in allen Richtungen zu erzielen. Die Einstellung Blitz versucht, die Füllung zu minimieren, indem nur die (internen) Dächer des Objekts gestützt werden. Der ‚gültige‘ Prozentsatz der Füllung bezieht sich daher nur auf die jeweilige Ebene unter dem zu stützenden Bereich des Modells."
+
+#~ msgctxt "lightning_infill_prune_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+#~ msgstr "Der Unterschied, den eine Blitz-Füllschicht zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um den Beschnitt der äußeren Enden von Bäumen geht. Gemessen in dem Winkel, den die Schichtstärke vorgibt."
+
+#~ msgctxt "lightning_infill_straightening_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+#~ msgstr "Die veränderte Position, die eine Schicht der Blitz-Füllung zu der unmittelbar darüber liegenden Schicht haben kann, wenn es um das Ausrunden der äußeren Enden von Bäumen geht. Gemessen als Winkel der Zweige."
+
#~ msgctxt "infill_pattern description"
#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
#~ msgstr "Das Muster des Füllmaterials des Drucks. Die Linien- und Zickzackfüllmethode wechseln nach jeder Schicht die Richtung, um Materialkosten zu reduzieren. Die Gitter-, Dreieck- Tri-Hexagon-, Würfel-, Octahedral-, Viertelwürfel-, Quer- und konzentrischen Muster werden in jeder Schicht vollständig gedruckt. Gyroid-, Würfel-, Viertelwürfel- und Octahedral-Füllungen wechseln mit jeder Schicht, um eine gleichmäßigere Verteilung der Stärke in allen Richtungen zu erzielen."
diff --git a/resources/i18n/es_ES/cura.po b/resources/i18n/es_ES/cura.po
index 7ca3d33c0d..3c083fb783 100644
--- a/resources/i18n/es_ES/cura.po
+++ b/resources/i18n/es_ES/cura.po
@@ -4,10 +4,10 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
-"PO-Revision-Date: 2021-09-07 07:43+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
+"PO-Revision-Date: 2021-11-08 11:48+0100\n"
"Last-Translator: Lionbridge \n"
"Language-Team: \n"
"Language: es_ES\n"
@@ -17,212 +17,449 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Poedit 3.0\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Desconocido"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
+msgstr "No se ha podido crear el archivo desde el directorio de datos de usuario: {}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
-msgstr "Las siguientes impresoras no pueden conectarse porque forman parte de un grupo"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
+msgstr "Copia de seguridad"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
-msgstr "Impresoras en red disponibles"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
+msgstr "Se ha intentado restaurar una copia de seguridad de Cura sin tener los datos o metadatos adecuados."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
-msgstr "No reemplazado"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr "Se ha intentado restaurar una copia de seguridad de Cura superior a la versión actual."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr "Se ha producido el siguiente error al intentar restaurar una copia de seguridad de Cura:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr "Sincronice los perfiles de material con sus impresoras antes de comenzar a imprimir."
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr "Nuevos materiales instalados"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr "Sincronizar materiales con impresoras"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr "Más información"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr "No se pudo guardar el archivo de material en {}:"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr "Se ha producido un error al guardar el archivo de material"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "La altura del volumen de impresión se ha reducido debido al valor del ajuste «Secuencia de impresión» para evitar que el caballete colisione con los modelos impresos."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Volumen de impresión"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr "¿Seguro que desea eliminar {0}? ¡Esta acción no se puede deshacer!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr "No reemplazado"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Desconocido"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr "Las siguientes impresoras no pueden conectarse porque forman parte de un grupo"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr "Impresoras en red disponibles"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr "Default"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr "Visual"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr "El perfil visual está diseñado para imprimir prototipos y modelos visuales con la intención de obtener una alta calidad visual y de superficies."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr "Engineering"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr "El perfil de ingeniería ha sido diseñado para imprimir prototipos funcionales y piezas de uso final con la intención de obtener una mayor precisión y tolerancias más precisas."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr "Boceto"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr "El perfil del boceto ha sido diseñado para imprimir los prototipos iniciales y la validación del concepto con la intención de reducir el tiempo de impresión de manera considerable."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr "Más información"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Material personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Perfiles personalizados"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Todos los tipos compatibles ({0})"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Todos los archivos (*)"
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr "Visual"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr "El perfil visual está diseñado para imprimir prototipos y modelos visuales con la intención de obtener una alta calidad visual y de superficies."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr "Engineering"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr "El perfil de ingeniería ha sido diseñado para imprimir prototipos funcionales y piezas de uso final con la intención de obtener una mayor precisión y tolerancias más precisas."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr "Boceto"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr "El perfil del boceto ha sido diseñado para imprimir los prototipos iniciales y la validación del concepto con la intención de reducir el tiempo de impresión de manera considerable."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Material personalizado"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Personalizado"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr "Fallo de inicio de sesión"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Buscando nueva ubicación para los objetos"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Buscando ubicación"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "No se puede encontrar una ubicación dentro del volumen de impresión para todos los objetos"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "No se puede encontrar la ubicación"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr "No se ha podido crear el archivo desde el directorio de datos de usuario: {}"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr "Copia de seguridad"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr "Se ha intentado restaurar una copia de seguridad de Cura sin tener los datos o metadatos adecuados."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr "Se ha intentado restaurar una copia de seguridad de Cura superior a la versión actual."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
-msgstr "Se ha producido el siguiente error al intentar restaurar una copia de seguridad de Cura:"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Cargando máquinas..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr "Configurando preferencias...."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr "Iniciando la máquina activa..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr "Iniciando el administrador de la máquina..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr "Iniciando el volumen de impresión..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Configurando escena..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Cargando interfaz..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr "Iniciando el motor..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "La altura del volumen de impresión se ha reducido debido al valor del ajuste «Secuencia de impresión» para evitar que el caballete colisione con los modelos impresos."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Solo se puede cargar un archivo GCode a la vez. Se omitió la importación de {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Volumen de impresión"
+msgid "Warning"
+msgstr "Advertencia"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "No se puede abrir ningún archivo si se está cargando un archivo GCode. Se omitió la importación de {0}"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Error"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr "Omitir"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Cerrar"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr "Siguiente"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr "Finalizar"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Agregar"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Cancelar"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr "N.º de grupo {group_nr}"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Pared exterior"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Paredes interiores"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Forro"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Relleno"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Relleno de soporte"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Interfaz de soporte"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Soporte"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Falda"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr "Torre auxiliar"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Desplazamiento"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Retracciones"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Otro"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr "No se han podido abrir las notas de la versión."
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr "Cura no puede iniciarse"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -237,32 +474,32 @@ msgstr ""
" Envíenos el informe de errores para que podamos solucionar el problema.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr "Enviar informe de errores a Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr "Mostrar informe de errores detallado"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr "Mostrar carpeta de configuración"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr "Realizar copia de seguridad y restablecer configuración"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Informe del accidente"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -273,702 +510,641 @@ msgstr ""
" Utilice el botón \"Enviar informe\" para publicar automáticamente el informe de errores en nuestros servidores.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr "Información del sistema"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr "Desconocido"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr "Versión de Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr "Idioma de Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr "Idioma del sistema operativo"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr "Plataforma"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr "Versión Qt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr "Versión PyQt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr "OpenGL"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr "Aún no se ha inicializado
"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr "Versión de OpenGL: {version}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr "Proveedor de OpenGL: {vendor}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr "Representador de OpenGL: {renderer}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr "Rastreabilidad de errores"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr "Registros"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr "Enviar informe"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Cargando máquinas..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr "Configurando preferencias...."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr "Iniciando la máquina activa..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr "Iniciando el administrador de la máquina..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr "Iniciando el volumen de impresión..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Configurando escena..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Cargando interfaz..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr "Iniciando el motor..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Solo se puede cargar un archivo GCode a la vez. Se omitió la importación de {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Advertencia"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "No se puede abrir ningún archivo si se está cargando un archivo GCode. Se omitió la importación de {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Error"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Multiplicar y colocar objetos"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr "Colocando objetos"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Colocando objeto"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr "No se ha podido leer la respuesta."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr "El estado indicado no es correcto."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr "Conceda los permisos necesarios al autorizar esta aplicación."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr "Se ha producido un problema al intentar iniciar sesión, vuelva a intentarlo."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr "No se puede iniciar un nuevo proceso de inicio de sesión. Compruebe si todavía está activo otro intento de inicio de sesión."
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr "No se puede acceder al servidor de cuentas de Ultimaker."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr "El estado indicado no es correcto."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr "Conceda los permisos necesarios al autorizar esta aplicación."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr "Se ha producido un problema al intentar iniciar sesión, vuelva a intentarlo."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr "No se ha podido leer la respuesta."
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Multiplicar y colocar objetos"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr "Colocando objetos"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Colocando objeto"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr "No compatible"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr "Default"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Tobera"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr "La configuración se ha cambiado para que coincida con los extrusores disponibles en este momento:"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr "Ajustes actualizados"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr "Extrusores deshabilitados"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "El archivo ya existe"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "El archivo {0} ya existe. ¿Está seguro de que desea sobrescribirlo?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr "URL del archivo no válida:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "Error al exportar el perfil a {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "Error al exportar el perfil a {0}: Error en el complemento de escritura."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Perfil exportado a {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr "Exportación correcta"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr "Error al importar el perfil de {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr "No se puede importar el perfil de {0} antes de añadir una impresora."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr "No hay ningún perfil personalizado para importar en el archivo {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr "Error al importar el perfil de {0}:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr "Este perfil {0} contiene datos incorrectos, no se han podido importar."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr "Error al importar el perfil de {0}:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr "Perfil {0} importado correctamente."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr "El archivo {0} no contiene ningún perfil válido."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "El perfil {0} tiene un tipo de archivo desconocido o está corrupto."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Perfil personalizado"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "Al perfil le falta un tipo de calidad."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr "Todavía no hay ninguna impresora activa."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr "No se puede añadir el perfil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr "El tipo de calidad '{0}' no es compatible con la definición actual de máquina activa '{1}'."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr "Advertencia: el perfil no es visible porque su tipo de calidad '{0}' no está disponible para la configuración actual. Cambie a una combinación de material/tobera que pueda utilizar este tipo de calidad."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr "No compatible"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr "Default"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Tobera"
+msgid "Per Model Settings"
+msgstr "Ajustes por modelo"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
-msgstr "La configuración se ha cambiado para que coincida con los extrusores disponibles en este momento:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Configurar ajustes por modelo"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Perfil de cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "Archivo X3D"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr "Se ha producido un error al intentar restaurar su copia de seguridad."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
-msgstr "Ajustes actualizados"
+msgid "Backups"
+msgstr "Copias de seguridad"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
-msgstr "Extrusores deshabilitados"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
+msgstr "Se ha producido un error al cargar su copia de seguridad."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Agregar"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
+msgstr "Creando copia de seguridad..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
-msgstr "Finalizar"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr "Se ha producido un error al crear la copia de seguridad."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Cancelar"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr "Cargando su copia de seguridad..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr "Su copia de seguridad ha terminado de cargarse."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr "La copia de seguridad excede el tamaño máximo de archivo."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr "Administrar copias de seguridad"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Ajustes de la máquina"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr "Bloqueador de soporte"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr "Cree un volumen que no imprima los soportes."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Unidad extraíble"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Guardar en unidad extraíble"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
-msgstr "N.º de grupo {group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Guardar en unidad extraíble {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Pared exterior"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
+msgstr "¡No hay formatos de archivo disponibles con los que escribir!"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Paredes interiores"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Guardando en unidad extraíble {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Forro"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Relleno"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Relleno de soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Interfaz de soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Falda"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr "Torre auxiliar"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Desplazamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Retracciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Otro"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr "No se han podido abrir las notas de la versión."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr "Siguiente"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr "Omitir"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Cerrar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
-msgstr "Asistente del modelo 3D"
+msgid "Saving"
+msgstr "Guardando"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "No se pudo guardar en {0}: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "No se pudo encontrar un nombre de archivo al tratar de escribir en {device}."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability.
\n"
-"View print quality guide
"
-msgstr ""
-"Es posible que uno o más modelos 3D no se impriman correctamente debido al tamaño del modelo y la configuración del material:
\n"
-"{model_names}
\n"
-"Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.
\n"
-"Ver guía de impresión de calidad
"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "No se pudo guardar en unidad extraíble {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Guardado en unidad extraíble {0} como {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Archivo guardado"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Expulsar"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "Expulsar dispositivo extraíble {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "Expulsado {0}. Ahora puede retirar de forma segura la unidad."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Retirar de forma segura el hardware"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "Error al expulsar {0}. Es posible que otro programa esté utilizando la unidad."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr "Actualizar firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Perfiles de Cura 15.04"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Recomendado"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Personalizado"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
msgstr "El archivo del proyecto {0} contiene un tipo de máquina desconocida {1}. No se puede importar la máquina, en su lugar, se importarán los modelos."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr "Abrir archivo de proyecto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is suddenly inaccessible: {1}."
msgstr "El archivo de proyecto {0} está repentinamente inaccesible: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr "No se puede abrir el archivo de proyecto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is corrupt: {1}."
msgstr "El archivo de proyecto {0} está dañado: {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
msgstr "El archivo de proyecto {0} se ha creado con perfiles desconocidos para esta versión de Ultimaker Cura."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Recomendado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr "Archivo 3MF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
-msgstr "El complemento del Escritor de 3MF está dañado."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
+msgstr "No se puede escribir en el archivo UFP:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr "No tiene permiso para escribir el espacio de trabajo aquí."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr "El sistema operativo no permite guardar un archivo de proyecto en esta ubicación ni con este nombre de archivo."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr "Error al escribir el archivo 3MF."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "Archivo 3MF"
+msgid "Ultimaker Format Package"
+msgstr "Paquete de formato Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Archivo 3MF del proyecto de Cura"
+msgid "G-code File"
+msgstr "Archivo GCode"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr "Archivo AMF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr "Copias de seguridad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr "Se ha producido un error al cargar su copia de seguridad."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr "Creando copia de seguridad..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr "Se ha producido un error al crear la copia de seguridad."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr "Cargando su copia de seguridad..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr "Su copia de seguridad ha terminado de cargarse."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr "La copia de seguridad excede el tamaño máximo de archivo."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr "Se ha producido un error al intentar restaurar su copia de seguridad."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
-msgstr "Administrar copias de seguridad"
+msgid "Preview"
+msgstr "Vista previa"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Vista de rayos X"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Procesando capas"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Información"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
msgstr "Se ha producido un error inesperado al realizar el corte o slicing. Le rogamos que informe sobre este error en nuestro rastreador de problemas."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr "Error en el corte"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr "Informar del error"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr "Informar de un error en el rastreador de problemas de Ultimaker Cura."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
msgstr "No se puede segmentar con el material actual, ya que es incompatible con el dispositivo o la configuración seleccionados."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr "No se puede segmentar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice with the current settings. The following settings have errors: {0}"
msgstr "Los ajustes actuales no permiten la segmentación. Los siguientes ajustes contienen errores: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
msgstr "Los ajustes de algunos modelos no permiten la segmentación. Los siguientes ajustes contienen errores en uno o más modelos: {error_labels}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid "Unable to slice because the prime tower or prime position(s) are invalid."
msgstr "No se puede segmentar porque la torre auxiliar o la posición o posiciones de preparación no son válidas."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid "Unable to slice because there are objects associated with disabled Extruder %s."
msgstr "No se puede segmentar porque hay objetos asociados al extrusor %s que está deshabilitado."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -981,475 +1157,436 @@ msgstr ""
"- Están asignados a un extrusor activado\n"
" - No están todos definidos como mallas modificadoras"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Procesando capas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Información"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Perfil de cura"
+msgid "AMF File"
+msgstr "Archivo AMF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr "Archivo GCode comprimido"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr "Posprocesamiento"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr "Modificar GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "Impresión USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Imprimir mediante USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Imprimir mediante USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Conectado mediante USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr "Se está realizando una impresión con USB, si cierra Cura detendrá la impresión. ¿Desea continuar?"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr "Todavía hay una impresión en curso. Cura no puede iniciar otra impresión a través de USB hasta que se haya completado la impresión anterior."
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr "Impresión en curso"
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr "Preparar"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "Analizar GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "Datos de GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Asegúrese de que el GCode es adecuado para la impresora y para su configuración antes de enviar el archivo a la misma. Es posible que la representación del GCode no sea precisa."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "Archivo G"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "Imagen JPG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "Imagen JPEG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "Imagen PNG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "Imagen BMP"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "Imagen GIF"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Nivelar placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Seleccionar actualizaciones"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr "GCodeGzWriter no es compatible con el modo texto."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr "No se pudo acceder a la información actualizada."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
msgstr "Puede que haya nuevas funciones o correcciones de errores disponibles para {machine_name}. Si no dispone de la última versión disponible, se recomienda actualizar el firmware de la impresora a la versión {latest_version}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr "Nuevo firmware de %s estable disponible"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr "Cómo actualizar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr "Actualizar firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr "Archivo GCode comprimido"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr "GCodeGzWriter no es compatible con el modo texto."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "Archivo GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "Analizar GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "Datos de GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Asegúrese de que el GCode es adecuado para la impresora y para su configuración antes de enviar el archivo a la misma. Es posible que la representación del GCode no sea precisa."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "Archivo G"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr "GCodeWriter no es compatible con el modo sin texto."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr "Prepare el Gcode antes de la exportación."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "Imagen JPG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "Imagen JPEG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "Imagen PNG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "Imagen BMP"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "Imagen GIF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Perfiles de Cura 15.04"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Ajustes de la máquina"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr "Supervisar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Ajustes por modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Configurar ajustes por modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr "Posprocesamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr "Modificar GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr "Preparar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr "Vista previa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Guardar en unidad extraíble"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Guardar en unidad extraíble {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr "¡No hay formatos de archivo disponibles con los que escribir!"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Guardando en unidad extraíble {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Guardando"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "No se pudo guardar en {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "No se pudo encontrar un nombre de archivo al tratar de escribir en {device}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "No se pudo guardar en unidad extraíble {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Guardado en unidad extraíble {0} como {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Archivo guardado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Expulsar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "Expulsar dispositivo extraíble {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "Expulsado {0}. Ahora puede retirar de forma segura la unidad."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Retirar de forma segura el hardware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "Error al expulsar {0}. Es posible que otro programa esté utilizando la unidad."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Unidad extraíble"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr "Cura no muestra correctamente las capas si la impresión de alambre está habilitada."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr "Vista de simulación"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr "No se muestra nada porque primero hay que cortar."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr "No hay capas para mostrar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr "No volver a mostrar este mensaje"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Vista de capas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr "No se puede leer el archivo de datos de ejemplo."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr "Las áreas resaltadas indican que faltan superficies o son inusuales. Corrija los errores en el modelo y vuelva a abrirlo en Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr "Errores de modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Vista de sólidos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr "Bloqueador de soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr "Cree un volumen que no imprima los soportes."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr "¿Desea sincronizar el material y los paquetes de software con su cuenta?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr "Se han detectado cambios desde su cuenta de Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr "Sincronizar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr "Sincronizando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr "Rechazar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr "Estoy de acuerdo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Acuerdo de licencia de complemento"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr "Rechazar y eliminar de la cuenta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr "Tiene que salir y reiniciar {} para que los cambios surtan efecto."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr "Sincronizando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr "Se han detectado cambios desde su cuenta de Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr "¿Desea sincronizar el material y los paquetes de software con su cuenta?"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr "Sincronizar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr "Rechazar y eliminar de la cuenta"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr "Error al descargar los complementos {}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
-msgstr "Open Compressed Triangle Mesh"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
+msgstr "Rechazar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr "Estoy de acuerdo"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Acuerdo de licencia de complemento"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr "GCodeWriter no es compatible con el modo sin texto."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr "Prepare el Gcode antes de la exportación."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr "Cura no muestra correctamente las capas si la impresión de alambre está habilitada."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr "Vista de simulación"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr "No se muestra nada porque primero hay que cortar."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr "No hay capas para mostrar"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr "No volver a mostrar este mensaje"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange"
+msgid "Layer view"
+msgstr "Vista de capas"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
-msgstr "glTF binario"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Imprimir a través de la red"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
-msgstr "glTF incrustado JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Imprime a través de la red"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr "Stanford Triangle Format"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
+msgstr "Conectado a través de la red"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange comprimido"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
+msgstr "mañana"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr "Paquete de formato Ultimaker"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
+msgstr "hoy"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr "No se puede escribir en el archivo UFP:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
-msgstr "Nivelar placa de impresión"
+msgid "Connect via Network"
+msgstr "Conectar a través de la red"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr "Espere hasta que se envíe el trabajo actual."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr "Error de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr "El trabajo de impresión se ha enviado correctamente a la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr "Fecha de envío"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr "Está intentando conectarse a una impresora que no está ejecutando Ultimaker Connect. Actualice la impresora al firmware más reciente."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr "Actualice su impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr "La cola de trabajos de impresión está llena. La impresora no puede aceptar trabajos nuevos."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr "Cola llena"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr "Enviando trabajo de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr "Cargando el trabajo de impresión a la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr "Cura ha detectado perfiles de material que aún no estaban instalados en la impresora host del grupo {0}."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr "Enviando materiales a la impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr "No se han podido cargar los datos en la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr "Error de red"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr "Está intentando conectarse a {0} pero ese no es el host de un grupo. Puede visitar la página web para configurarlo como host de grupo."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr "No es un host de grupo"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Seleccionar actualizaciones"
+msgid "Configure group"
+msgstr "Configurar grupo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+"Su impresora {printer_name} podría estar conectada a través de la nube.\n"
+" Administre su cola de impresión y supervise las impresiones desde cualquier lugar conectando su impresora a Digital Factory"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr "¿Está preparado para la impresión en la nube?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr "Empezar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr "Más información"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr "Imprimir mediante cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr "Imprimir mediante cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr "Conectado mediante cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr "Supervisar la impresión"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr "Haga un seguimiento de la impresión en Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr "Código de error desconocido al cargar el trabajo de impresión: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
msgstr[0] "Se ha detectado una nueva impresora en su cuenta de Ultimaker"
msgstr[1] "Se han detectado nuevas impresoras en su cuenta de Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr "Añadiendo la impresora {name} ({model}) de su cuenta"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others"
msgstr[0] "... y {0} más"
msgstr[1] "... y {0} más"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr "Impresoras añadidas desde Digital Factory:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
msgstr[0] "La conexión a la nube no está disponible para una impresora"
msgstr[1] "La conexión a la nube no está disponible para algunas impresoras"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
msgstr[0] "Esta impresora no está vinculada a Digital Factory:"
msgstr[1] "Estas impresoras no están vinculadas a Digital Factory:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr "Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr "Para establecer una conexión, visite {website_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr "Mantener las configuraciones de la impresora"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr "Eliminar impresoras"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr "{printer_name} se eliminará hasta la próxima sincronización de la cuenta."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr "Para eliminar {printer_name} permanentemente, visite {digital_factory_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr "¿Seguro que desea eliminar {printer_name} temporalmente?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr "¿Eliminar impresoras?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1537,776 +1674,1645 @@ msgstr[1] ""
"Está a punto de eliminar {0} impresoras de Cura. Esta acción no se puede deshacer.\n"
"¿Seguro que desea continuar?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be undone.\n"
"Are you sure you want to continue?"
msgstr "Está a punto de eliminar todas las impresoras de Cura. Esta acción no se puede deshacer.¿Seguro que desea continuar?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr "Open Compressed Triangle Mesh"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr "glTF binario"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr "glTF incrustado JSON"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr "Stanford Triangle Format"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange comprimido"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr "Las áreas resaltadas indican que faltan superficies o son inusuales. Corrija los errores en el modelo y vuelva a abrirlo en Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr "Errores de modelo"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Vista de sólidos"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr "Error al escribir el archivo 3MF."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr "El complemento del Escritor de 3MF está dañado."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr "No tiene permiso para escribir el espacio de trabajo aquí."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr "El sistema operativo no permite guardar un archivo de proyecto en esta ubicación ni con este nombre de archivo."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "Archivo 3MF"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Archivo 3MF del proyecto de Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr "Supervisar"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr "Asistente del modelo 3D"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability.
\n"
+"View print quality guide
"
msgstr ""
+"Es posible que uno o más modelos 3D no se impriman correctamente debido al tamaño del modelo y la configuración del material:
\n"
+"{model_names}
\n"
+"Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.
\n"
+"Ver guía de impresión de calidad
"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr "Empezar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr "Está intentando conectarse a una impresora que no está ejecutando Ultimaker Connect. Actualice la impresora al firmware más reciente."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr "Actualice su impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr "Cura ha detectado perfiles de material que aún no estaban instalados en la impresora host del grupo {0}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr "Enviando materiales a la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr "Está intentando conectarse a {0} pero ese no es el host de un grupo. Puede visitar la página web para configurarlo como host de grupo."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr "No es un host de grupo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr "Configurar grupo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr "Espere hasta que se envíe el trabajo actual."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr "Error de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr "No se han podido cargar los datos en la impresora."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr "Error de red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr "Enviando trabajo de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr "Cargando el trabajo de impresión a la impresora."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr "La cola de trabajos de impresión está llena. La impresora no puede aceptar trabajos nuevos."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr "Cola llena"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr "El trabajo de impresión se ha enviado correctamente a la impresora."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr "Fecha de envío"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Imprimir a través de la red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Imprime a través de la red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr "Conectado a través de la red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Conectar a través de la red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr "mañana"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr "hoy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "Impresión USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Imprimir mediante USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Imprimir mediante USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Conectado mediante USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
-msgstr "Se está realizando una impresión con USB, si cierra Cura detendrá la impresión. ¿Desea continuar?"
+msgid "Mesh Type"
+msgstr "Tipo de malla"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
-msgstr "Todavía hay una impresión en curso. Cura no puede iniciar otra impresión a través de USB hasta que se haya completado la impresión anterior."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
+msgstr "Modelo normal"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
-msgstr "Impresión en curso"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
+msgstr "Imprimir como soporte"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr "Modificar los ajustes de las superposiciones"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr "No es compatible con superposiciones"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "Archivo X3D"
+msgid "Infill mesh only"
+msgstr "Solo malla de relleno"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Vista de rayos X"
+msgid "Cutting mesh"
+msgstr "Cortar malla"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
-msgstr "Algunos elementos pueden causar problemas durante la impresión. Haga clic para ver consejos sobre cómo ajustarlos."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
+msgctxt "@action:button"
+msgid "Select settings"
+msgstr "Seleccionar ajustes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "Seleccionar ajustes o personalizar este modelo"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Filtrar..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Mostrar todo"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr "Copias de seguridad de Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr "Versión de Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr "Máquinas"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr "Materiales"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr "Perfiles"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr "Complementos"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr "¿Desea obtener más información?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr "Realizar copia de seguridad ahora"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr "Copia de seguridad automática"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr "Crea una copia de seguridad de forma automática cada día que inicia Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr "Restaurar"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr "Eliminar copia de seguridad"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr "¿Seguro que desea eliminar esta copia de seguridad? Esta acción no se puede deshacer."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr "Restaurar copia de seguridad"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr "Deberá reiniciar Cura para restaurar su copia de seguridad. ¿Desea cerrar Cura ahora?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr "Realice una copia de seguridad y sincronice sus ajustes de Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr "Iniciar sesión"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr "Mis copias de seguridad"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr "Actualmente no posee ninguna copia de seguridad. Utilice el botón de Realizar copia de seguridad ahora para crear una."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr "Durante la fase de vista previa, solo se mostrarán 5 copias de seguridad. Elimine una copia de seguridad para ver copias de seguridad antiguas."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr "Ajustes de la impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (anchura)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (profundidad)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (altura)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Forma de la placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr "Origen en el centro"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr "Plataforma calentada"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr "Volumen de impresión calentado"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr "Tipo de GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr "Ajustes del cabezal de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X mín"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y mín"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X máx"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y máx"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr "Altura del puente"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Número de extrusores"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr "Aplicar compensaciones del extrusor a GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr "Iniciar GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr "Finalizar GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr "Ajustes de la tobera"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Tamaño de la tobera"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr "Diámetro del material compatible"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "Desplazamiento de la tobera sobre el eje X"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Desplazamiento de la tobera sobre el eje Y"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr "Número de ventilador de enfriamiento"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr "GCode inicial del extrusor"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr "GCode final del extrusor"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
+msgid "Update Firmware"
+msgstr "Actualizar firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+msgctxt "@label"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "El firmware es la parte del software que se ejecuta directamente en la impresora 3D. Este firmware controla los motores de pasos, regula la temperatura y, finalmente, hace que funcione la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+msgctxt "@label"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "El firmware que se envía con las nuevas impresoras funciona, pero las nuevas versiones suelen tener más funciones y mejoras."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+msgctxt "@action:button"
+msgid "Automatically upgrade Firmware"
+msgstr "Actualización de firmware automática"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Cargar firmware personalizado"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr "No se puede actualizar el firmware porque no hay conexión con la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr "No se puede actualizar el firmware porque la conexión con la impresora no permite actualizaciones de firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+msgctxt "@title:window"
+msgid "Select custom firmware"
+msgstr "Seleccionar firmware personalizado"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+msgctxt "@title:window"
+msgid "Firmware Update"
+msgstr "Actualización del firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+msgctxt "@label"
+msgid "Updating firmware."
+msgstr "Actualización del firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+msgctxt "@label"
+msgid "Firmware update completed."
+msgstr "Actualización del firmware completada."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+msgctxt "@label"
+msgid "Firmware update failed due to an unknown error."
+msgstr "Se ha producido un error al actualizar el firmware debido a un error desconocido."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "Se ha producido un error al actualizar el firmware debido a un error de comunicación."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "Se ha producido un error al actualizar el firmware debido a un error de entrada/salida."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "Se ha producido un error al actualizar el firmware porque falta el firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Abrir proyecto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr "Actualizar existente"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr "Crear nuevo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Resumen: proyecto de Cura"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Ajustes de la impresora"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "¿Cómo debería solucionarse el conflicto en la máquina?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Tipo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr "Grupo de impresoras"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Ajustes del perfil"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "¿Cómo debería solucionarse el conflicto en el perfil?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Nombre"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr "Intent"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "No está en el perfil"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
msgstr[0] "%1 sobrescrito"
msgstr[1] "%1 sobrescritos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Derivado de"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
msgstr[0] "%1, %2 sobrescrito"
msgstr[1] "%1, %2 sobrescritos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Ajustes del material"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "¿Cómo debería solucionarse el conflicto en el material?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Visibilidad de los ajustes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Modo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Ajustes visibles:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1 de un total de %2"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr "Si carga un proyecto, se borrarán todos los modelos de la placa de impresión."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Abrir"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr "¿Desea obtener más información?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr "Realizar copia de seguridad ahora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr "Copia de seguridad automática"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr "Crea una copia de seguridad de forma automática cada día que inicia Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr "Restaurar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr "Eliminar copia de seguridad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr "¿Seguro que desea eliminar esta copia de seguridad? Esta acción no se puede deshacer."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr "Restaurar copia de seguridad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr "Deberá reiniciar Cura para restaurar su copia de seguridad. ¿Desea cerrar Cura ahora?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr "Versión de Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr "Máquinas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr "Materiales"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr "Perfiles"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr "Complementos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr "Copias de seguridad de Cura"
+msgid "Post Processing Plugin"
+msgstr "Complemento de posprocesamiento"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr "Mis copias de seguridad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr "Actualmente no posee ninguna copia de seguridad. Utilice el botón de Realizar copia de seguridad ahora para crear una."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr "Durante la fase de vista previa, solo se mostrarán 5 copias de seguridad. Elimine una copia de seguridad para ver copias de seguridad antiguas."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr "Realice una copia de seguridad y sincronice sus ajustes de Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr "Iniciar sesión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr "Actualizar firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "El firmware es la parte del software que se ejecuta directamente en la impresora 3D. Este firmware controla los motores de pasos, regula la temperatura y, finalmente, hace que funcione la impresora."
+msgid "Post Processing Scripts"
+msgstr "Secuencias de comandos de posprocesamiento"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Añadir secuencia de comando"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "El firmware que se envía con las nuevas impresoras funciona, pero las nuevas versiones suelen tener más funciones y mejoras."
+msgid "Settings"
+msgstr "Ajustes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Actualización de firmware automática"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr "Cambiar las secuencias de comandos de posprocesamiento."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Cargar firmware personalizado"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] "La siguiente secuencia de comandos está activa:"
+msgstr[1] "Las siguientes secuencias de comandos están activas:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr "No se puede actualizar el firmware porque no hay conexión con la impresora."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr "No se puede actualizar el firmware porque la conexión con la impresora no permite actualizaciones de firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Seleccionar firmware personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Actualización del firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "Actualización del firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Actualización del firmware completada."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "Se ha producido un error al actualizar el firmware debido a un error desconocido."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "Se ha producido un error al actualizar el firmware debido a un error de comunicación."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "Se ha producido un error al actualizar el firmware debido a un error de entrada/salida."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "Se ha producido un error al actualizar el firmware porque falta el firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Convertir imagen..."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "La distancia máxima de cada píxel desde la \"Base\"."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Altura (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "La altura de la base desde la placa de impresión en milímetros."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Base (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "La anchura en milímetros en la placa de impresión."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Anchura (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "La profundidad en milímetros en la placa de impresión"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Profundidad (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr "Para las litofanías, los píxeles oscuros deben coincidir con ubicaciones más gruesas para bloquear la entrada de más luz. En los mapas de altura, los píxeles más claros se corresponden con un terreno más alto, por lo que dichos píxeles deben coincidir con ubicaciones más gruesas en el modelo 3D generado."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "Cuanto más oscuro más alto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "Cuanto más claro más alto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr "Para las litofanías hay disponible un modelo logarítmico simple para la translucidez. En los mapas de altura, los valores de los píxeles corresponden a las alturas linealmente."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr "Lineal"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr "Translucidez"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr "El porcentaje de luz que penetra en una impresión con un grosor de 1 milímetro. Bajar este valor aumenta el contraste en las regiones oscuras y disminuye el contraste en las regiones claras de la imagen."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr "Transmitancia de 1 mm (%)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "La cantidad de suavizado que se aplica a la imagen."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Suavizado"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "Aceptar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
+msgctxt "@label"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Seleccione cualquier actualización de Ultimaker Original"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
+msgctxt "@label"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Placa de impresión caliente (kit oficial o construida por usted mismo)"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Nivelación de la placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+msgctxt "@label"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Ahora puede ajustar la placa de impresión para asegurarse de que sus impresiones salgan muy bien. Al hacer clic en 'Mover a la siguiente posición', la tobera se trasladará a las diferentes posiciones que se pueden ajustar."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+msgctxt "@label"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Para cada posición: inserte una hoja de papel debajo de la tobera y ajuste la altura de la placa de impresión. La altura de la placa de impresión es correcta cuando el papel queda ligeramente sujeto por la punta de la tobera."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Iniciar nivelación de la placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Mover a la siguiente posición"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr "Más información sobre la recopilación de datos anónimos"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario. A continuación, hay un ejemplo de todos los datos que se comparten:"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr "No deseo enviar datos anónimos"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr "Permitir el envío de datos anónimos"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr "Marketplace"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr "Tendrá que reiniciar Cura para que los cambios de los paquetes surtan efecto."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr "Salir de %1"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr "Instalar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Instalado"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr "Prémium"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr "Ir a Web Marketplace"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr "Buscar materiales"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr "Compatibilidad"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr "Máquina"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr "Placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr "Soporte"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr "Calidad"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr "Especificaciones técnicas"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr "Especificaciones de seguridad"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr "Directrices de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr "Sitio web"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr "Inicie sesión para realizar la instalación o la actualización"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr "Comprar bobinas de material"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr "Actualizar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr "Actualizando"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr "Actualizado"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr "Atrás"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Impresora"
+msgid "Plugins"
+msgstr "Complementos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr "Ajustes de la tobera"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Materiales"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr "Instalado"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Tamaño de la tobera"
+msgid "Will install upon restarting"
+msgstr "Se instalará después de reiniciar"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr "Inicie sesión para realizar la actualización"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr "Degradar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr "Desinstalar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "mm"
-msgstr "mm"
+msgid "Community Contributions"
+msgstr "Contribuciones de la comunidad"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr "Diámetro del material compatible"
+msgid "Community Plugins"
+msgstr "Complementos de la comunidad"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "Desplazamiento de la tobera sobre el eje X"
+msgid "Generic Materials"
+msgstr "Materiales genéricos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr "Buscando paquetes..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Desplazamiento de la tobera sobre el eje Y"
+msgid "Website"
+msgstr "Sitio web"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr "Número de ventilador de enfriamiento"
+msgid "Email"
+msgstr "Correo electrónico"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr "GCode inicial del extrusor"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr "Inicie sesión para obtener complementos y materiales verificados para Ultimaker Cura Enterprise"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr "GCode final del extrusor"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr "Ajustes de la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (anchura)"
+msgid "Version"
+msgstr "Versión"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (profundidad)"
+msgid "Last updated"
+msgstr "Última actualización"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (altura)"
+msgid "Brand"
+msgstr "Marca"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Forma de la placa de impresión"
+msgid "Downloads"
+msgstr "Descargas"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr "Complementos instalados"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr "No se ha instalado ningún complemento."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr "Materiales instalados"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr "No se ha instalado ningún material."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr "Complementos agrupados"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr "Materiales agrupados"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr "No se ha podido conectar con la base de datos del Paquete Cura. Compruebe la conexión."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
msgctxt "@label"
-msgid "Origin at center"
-msgstr "Origen en el centro"
+msgid "You need to accept the license to install the package"
+msgstr "Tiene que aceptar la licencia para instalar el paquete"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr "Cambios desde su cuenta"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr "Descartar"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr "Siguiente"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
msgctxt "@label"
-msgid "Heated bed"
-msgstr "Plataforma calentada"
+msgid "The following packages will be added:"
+msgstr "Se añadirán los siguientes paquetes:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
msgctxt "@label"
-msgid "Heated build volume"
-msgstr "Volumen de impresión calentado"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr "Los siguientes paquetes no se pueden instalar debido a una versión no compatible de Cura:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr "Confirmar desinstalación"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr "Va a desinstalar materiales o perfiles que todavía están en uso. Si confirma la desinstalación, los siguientes materiales o perfiles volverán a sus valores predeterminados."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr "Materiales"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr "Perfiles"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr "Confirmar"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
msgctxt "@label"
-msgid "G-code flavor"
-msgstr "Tipo de GCode"
+msgid "Color scheme"
+msgstr "Combinación de colores"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr "Ajustes del cabezal de impresión"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Color del material"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Tipo de línea"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr "Velocidad"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr "Grosor de la capa"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr "Ancho de línea"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr "Flujo"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
msgctxt "@label"
-msgid "X min"
-msgstr "X mín"
+msgid "Compatibility Mode"
+msgstr "Modo de compatibilidad"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
msgctxt "@label"
-msgid "Y min"
-msgstr "Y mín"
+msgid "Travels"
+msgstr "Desplazamientos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
msgctxt "@label"
-msgid "X max"
-msgstr "X máx"
+msgid "Helpers"
+msgstr "Asistentes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
msgctxt "@label"
-msgid "Y max"
-msgstr "Y máx"
+msgid "Shell"
+msgstr "Perímetro"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
msgctxt "@label"
-msgid "Gantry Height"
-msgstr "Altura del puente"
+msgid "Infill"
+msgstr "Relleno"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Número de extrusores"
+msgid "Starts"
+msgstr "Inicios"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
-msgstr "Aplicar compensaciones del extrusor a GCode"
+msgid "Only Show Top Layers"
+msgstr "Mostrar solo capas superiores"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr "Iniciar GCode"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "Mostrar cinco capas detalladas en la parte superior"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr "Finalizar GCode"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Superior o inferior"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Pared interior"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr "mín"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr "máx"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr "Administrar impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr "Vidrio"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr "Actualice el firmware de la impresora para gestionar la cola de forma remota."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr "Las transmisiones de la cámara web para impresoras en la nube no se pueden ver en Ultimaker Cura. Haga clic en \"Administrar impresora\" para ir a Ultimaker Digital Factory y ver esta cámara web."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr "Cargando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr "No disponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr "No se puede conectar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr "Sin actividad"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr "Preparando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr "Imprimiendo"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr "Sin título"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr "Anónimo"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr "Debe cambiar la configuración"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr "Detalles"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr "Impresora no disponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr "Primera disponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "En cola"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr "Gestionar en el navegador"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr "No hay trabajos de impresión en la cola. Segmentar y enviar un trabajo para añadir uno."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr "Trabajos de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr "Tiempo de impresión total"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr "Esperando"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Imprimir a través de la red"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Imprimir"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr "Selección de la impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr "Cambios de configuración"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr "Anular"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] "Es necesario realizar el siguiente cambio de configuración en la impresora asignada %1:"
+msgstr[1] "Es necesario realizar los siguientes cambios de configuración en la impresora asignada %1:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr "Se ha asignado la impresora %1, pero el trabajo tiene una configuración de material desconocido."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr "Cambiar material %1, de %2 a %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr "Cargar %3 como material %1 (no se puede anular)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr "Cambiar print core %1, de %2 a %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr "Cambiar la placa de impresión a %1 (no se puede anular)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr "Al sobrescribir la configuración se usarán los ajustes especificados con la configuración de impresora existente. Esto podría provocar un fallo en la impresión."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr "Aluminio"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Terminado"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr "Cancelando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr "Cancelado"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr "Pausando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr "En pausa"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr "Reanudando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Acción requerida"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr "Termina el %1 a las %2"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Conectar con la impresora en red"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr "Para imprimir directamente a través de la red, asegúrese de que la impresora está conectada a la red mediante un cable de red o conéctela a la red wifi. Si no conecta Cura con la impresora, también puede utilizar una unidad USB para transferir archivos GCode a la impresora."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr "Seleccione la impresora en la lista siguiente:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Editar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Eliminar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Actualizar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Si la impresora no aparece en la lista, lea la guía de solución de problemas de impresión y red"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Tipo"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Versión de firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Dirección"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr "Esta impresora no está configurada para alojar un grupo de impresoras."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr "Esta impresora aloja un grupo de %1 impresoras."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "La impresora todavía no ha respondido en esta dirección."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Conectar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr "Dirección IP no válida"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr "Introduzca una dirección IP válida."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Dirección de la impresora"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr "Introduzca la dirección IP de la impresora en la red."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr "Mover al principio"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr "Borrar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr "Reanudar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr "Pausando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr "Reanudando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr "Pausar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr "Cancelando..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr "Cancelar"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr "¿Seguro que desea mover %1 al principio de la cola?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr "Mover trabajo de impresión al principio"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr "¿Seguro que desea borrar %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr "Borrar trabajo de impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr "¿Seguro que desea cancelar %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Cancela la impresión"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2319,1488 +3325,435 @@ msgstr ""
"- Compruebe que la impresora está conectada a la red.\n"
"- Compruebe que ha iniciado sesión para ver impresoras conectadas a la nube."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr "Conecte su impresora a la red."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr "Ver manuales de usuario en línea"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr "Para supervisar la copia impresa desde Cura, conecte la impresora."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr "Tipo de malla"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr "Modelo normal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr "Imprimir como soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr "Modificar los ajustes de las superposiciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr "No es compatible con superposiciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr "Solo malla de relleno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr "Cortar malla"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Seleccionar ajustes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "Seleccionar ajustes o personalizar este modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Filtrar..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Mostrar todo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Complemento de posprocesamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Secuencias de comandos de posprocesamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Añadir secuencia de comando"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Ajustes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr "Cambiar las secuencias de comandos de posprocesamiento."
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgstr "Algunos elementos pueden causar problemas durante la impresión. Haga clic para ver consejos sobre cómo ajustarlos."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] "La siguiente secuencia de comandos está activa:"
-msgstr[1] "Las siguientes secuencias de comandos están activas:"
+msgid "3D View"
+msgstr "Vista en 3D"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Combinación de colores"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Color del material"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Tipo de línea"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
-msgstr "Velocidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr "Grosor de la capa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr "Ancho de línea"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr "Flujo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Modo de compatibilidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr "Desplazamientos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr "Asistentes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr "Perímetro"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Relleno"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr "Inicios"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Mostrar solo capas superiores"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "Mostrar cinco capas detalladas en la parte superior"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Superior o inferior"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Pared interior"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr "mín"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr "máx"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr "Más información sobre la recopilación de datos anónimos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario. A continuación, hay un ejemplo de todos los datos que se comparten:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr "No deseo enviar datos anónimos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr "Permitir el envío de datos anónimos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr "Atrás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr "Compatibilidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr "Máquina"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr "Placa de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr "Soporte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr "Calidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr "Especificaciones técnicas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr "Especificaciones de seguridad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr "Directrices de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr "Sitio web"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Instalado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr "Inicie sesión para realizar la instalación o la actualización"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr "Comprar bobinas de material"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr "Actualizar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr "Actualizando"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr "Actualizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr "Prémium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
-msgstr "Ir a Web Marketplace"
+msgid "Front View"
+msgstr "Vista frontal"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr "Vista superior"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr "Vista del lado izquierdo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr "Vista del lado derecho"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
-msgstr "Buscar materiales"
+msgid "Object list"
+msgstr "Lista de objetos"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr "Tendrá que reiniciar Cura para que los cambios de los paquetes surtan efecto."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr "Salir de %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr "Complementos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Materiales"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr "Instalado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr "Se instalará después de reiniciar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr "Inicie sesión para realizar la actualización"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr "Degradar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr "Desinstalar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr "Instalar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr "Cambios desde su cuenta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr "Descartar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr "Siguiente"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr "Se añadirán los siguientes paquetes:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr "Los siguientes paquetes no se pueden instalar debido a una versión no compatible de Cura:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr "Confirmar desinstalación"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr "Va a desinstalar materiales o perfiles que todavía están en uso. Si confirma la desinstalación, los siguientes materiales o perfiles volverán a sus valores predeterminados."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr "Materiales"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr "Perfiles"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr "Confirmar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr "Tiene que aceptar la licencia para instalar el paquete"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr "Sitio web"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr "Correo electrónico"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr "Versión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr "Última actualización"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Marca"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr "Descargas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr "Contribuciones de la comunidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr "Complementos de la comunidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr "Materiales genéricos"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr "No se ha podido conectar con la base de datos del Paquete Cura. Compruebe la conexión."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr "Complementos instalados"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr "No se ha instalado ningún complemento."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr "Materiales instalados"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr "No se ha instalado ningún material."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr "Complementos agrupados"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr "Materiales agrupados"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr "Buscando paquetes..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr "Inicie sesión para obtener complementos y materiales verificados para Ultimaker Cura Enterprise"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
msgstr "Marketplace"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Nivelación de la placa de impresión"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "&Archivo"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Ahora puede ajustar la placa de impresión para asegurarse de que sus impresiones salgan muy bien. Al hacer clic en 'Mover a la siguiente posición', la tobera se trasladará a las diferentes posiciones que se pueden ajustar."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "&Edición"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Para cada posición: inserte una hoja de papel debajo de la tobera y ajuste la altura de la placa de impresión. La altura de la placa de impresión es correcta cuando el papel queda ligeramente sujeto por la punta de la tobera."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "&Ver"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Iniciar nivelación de la placa de impresión"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr "A&justes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Mover a la siguiente posición"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "E&xtensiones"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Seleccione cualquier actualización de Ultimaker Original"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "Pre&ferencias"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Placa de impresión caliente (kit oficial o construida por usted mismo)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "A&yuda"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Conectar con la impresora en red"
+msgid "New project"
+msgstr "Nuevo proyecto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr "Para imprimir directamente a través de la red, asegúrese de que la impresora está conectada a la red mediante un cable de red o conéctela a la red wifi. Si no conecta Cura con la impresora, también puede utilizar una unidad USB para transferir archivos GCode a la impresora."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "¿Está seguro de que desea iniciar un nuevo proyecto? Esto borrará la placa de impresión y cualquier ajuste no guardado."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr "Seleccione la impresora en la lista siguiente:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Editar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Eliminar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Actualizar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Si la impresora no aparece en la lista, lea la guía de solución de problemas de impresión y red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Tipo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Versión de firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Dirección"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr "Esta impresora no está configurada para alojar un grupo de impresoras."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr "Esta impresora aloja un grupo de %1 impresoras."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "La impresora todavía no ha respondido en esta dirección."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Conectar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr "Dirección IP no válida"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr "Introduzca una dirección IP válida."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Dirección de la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr "Introduzca la dirección IP de la impresora en la red."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr "Cambios de configuración"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr "Anular"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] "Es necesario realizar el siguiente cambio de configuración en la impresora asignada %1:"
-msgstr[1] "Es necesario realizar los siguientes cambios de configuración en la impresora asignada %1:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr "Se ha asignado la impresora %1, pero el trabajo tiene una configuración de material desconocido."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr "Cambiar material %1, de %2 a %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr "Cargar %3 como material %1 (no se puede anular)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr "Cambiar print core %1, de %2 a %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr "Cambiar la placa de impresión a %1 (no se puede anular)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr "Al sobrescribir la configuración se usarán los ajustes especificados con la configuración de impresora existente. Esto podría provocar un fallo en la impresión."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr "Vidrio"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr "Aluminio"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr "Mover al principio"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr "Borrar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr "Reanudar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr "Pausando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr "Reanudando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr "Pausar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr "Cancelando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr "Cancelar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr "¿Seguro que desea mover %1 al principio de la cola?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr "Mover trabajo de impresión al principio"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr "¿Seguro que desea borrar %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr "Borrar trabajo de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr "¿Seguro que desea cancelar %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Cancela la impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr "Administrar impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr "Actualice el firmware de la impresora para gestionar la cola de forma remota."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr "Cargando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr "No disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr "No se puede conectar"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr "Sin actividad"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr "Preparando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr "Imprimiendo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr "Sin título"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr "Anónimo"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr "Debe cambiar la configuración"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr "Detalles"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr "Impresora no disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr "Primera disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr "Cancelado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Terminado"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr "Cancelando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr "Pausando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr "En pausa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr "Reanudando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Acción requerida"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr "Termina el %1 a las %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "En cola"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr "Gestionar en el navegador"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr "No hay trabajos de impresión en la cola. Segmentar y enviar un trabajo para añadir uno."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr "Trabajos de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr "Tiempo de impresión total"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr "Esperando"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Imprimir a través de la red"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Imprimir"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr "Selección de la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr "Iniciar sesión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr "Inicie sesión en la plataforma Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-"- Añada perfiles de materiales y complementos del Marketplace \n"
-"- Realice copias de seguridad y sincronice los perfiles y complementos de sus materiales \n"
-"- Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr "Cree una cuenta gratuita de Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr "Comprobando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr "Cuenta sincronizada"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr "Se ha producido un error..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr "Instalar actualizaciones pendientes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr "Buscar actualizaciones de la cuenta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr "Última actualización: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr "Cuenta de Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr "Cerrar sesión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr "Ningún cálculo de tiempo disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr "Ningún cálculo de costes disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr "Vista previa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr "Estimación de tiempos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr "Estimación de material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr "%1 m"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr "%1 g"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Segmentando..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr "No se puede segmentar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr "Procesando"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr "Segmentación"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr "Iniciar el proceso de segmentación"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr "Cancelar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr "Mostrar Guía de resolución de problemas en línea"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Alternar pantalla completa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr "Salir de modo de pantalla completa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "Des&hacer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "&Rehacer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "&Salir"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr "Vista en 3D"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr "Vista frontal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr "Vista superior"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr "Vista inferior"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr "Vista del lado izquierdo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr "Vista del lado derecho"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Configurar Cura..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "&Agregar impresora..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Adm&inistrar impresoras ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Administrar materiales..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr "Añadir más materiales de Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "&Actualizar perfil con ajustes o sobrescrituras actuales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "&Descartar cambios actuales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "&Crear perfil a partir de ajustes o sobrescrituras actuales..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Administrar perfiles..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Mostrar &documentación en línea"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "Informar de un &error"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr "Novedades"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "Acerca de..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr "Eliminar selección"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr "Centrar selección"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr "Multiplicar selección"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Eliminar modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "Ce&ntrar modelo en plataforma"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "A&grupar modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Desagrupar modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "Co&mbinar modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "&Multiplicar modelo..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Seleccionar todos los modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Borrar placa de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Recargar todos los modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr "Organizar todos los modelos en todas las placas de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Organizar todos los modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Organizar selección"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Restablecer las posiciones de todos los modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Restablecer las transformaciones de todos los modelos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "&Abrir archivo(s)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "&Nuevo proyecto..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Mostrar carpeta de configuración"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Configurar visibilidad de los ajustes..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr "&Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
-msgstr "Este paquete se instalará después de reiniciar."
+msgid "Time estimation"
+msgstr "Estimación de tiempos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "General"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
+msgstr "Estimación de material"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Ajustes"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
+msgstr "%1 m"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Impresoras"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
+msgstr "%1 g"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Perfiles"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr "Ningún cálculo de tiempo disponible"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
-msgstr "Cerrando %1"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr "Ningún cálculo de costes disponible"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
-msgstr "¿Seguro que desea salir de %1?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr "Vista previa"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Abrir archivo(s)"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
+msgstr "Agregar una impresora"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
-msgstr "Instalar paquete"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr "Agregar una impresora en red"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Abrir archivo(s)"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr "Agregar una impresora fuera de red"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "Hemos encontrado uno o más archivos de GCode entre los archivos que ha seleccionado. Solo puede abrir los archivos GCode de uno en uno. Si desea abrir un archivo GCode, seleccione solo uno."
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr "Añadir una impresora a la nube"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
-msgstr "Agregar impresora"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr "Esperando la respuesta de la nube"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr "¿No se han encontrado impresoras en su cuenta?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr "Las siguientes impresoras de su cuenta se han añadido en Cura:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr "Añadir impresora manualmente"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr "Agregar impresora por dirección IP"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr "Introduzca la dirección IP de su impresora."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr "Agregar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr "No se ha podido conectar al dispositivo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr "¿No puede conectarse a la impresora Ultimaker?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr "La impresora todavía no ha respondido en esta dirección."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr "No se puede agregar la impresora porque es desconocida o no aloja un grupo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr "Atrás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr "Conectar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr "Acuerdo de usuario"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr "Rechazar y cerrar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr "Le damos la bienvenida a Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr ""
+"Siga estos pasos para configurar\n"
+"Ultimaker Cura. Solo le llevará unos minutos."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr "Empezar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr "Inicie sesión en la plataforma Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr "Añada ajustes de material y complementos desde Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr "Realice copias de seguridad y sincronice los ajustes y complementos de sus materiales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr "Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr "Omitir"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr "Cree una cuenta gratuita de Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr "Fabricante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr "Autor del perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr "Nombre de la impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr "Asigne un nombre a su impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr "No se ha encontrado ninguna impresora en su red."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr "Actualizar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr "Agregar impresora por IP"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr "Añadir impresora a la nube"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr "Solución de problemas"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr "Ayúdenos a mejorar Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario, entre otros:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr "Tipos de máquina"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr "Uso de material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr "Número de segmentos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr "Ajustes de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr "Los datos recopilados por Ultimaker Cura no contendrán información personal."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr "Más información"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
msgid "What's New"
msgstr "Novedades"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr "Vacío"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr "Notas de la versión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr "Acerca de %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr "versión: %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Solución completa para la impresión 3D de filamento fundido."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
@@ -3809,183 +3762,204 @@ msgstr ""
"Ultimaker B.V. ha desarrollado Cura en cooperación con la comunidad.\n"
"Cura se enorgullece de utilizar los siguientes proyectos de código abierto:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Interfaz gráfica de usuario (GUI)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Entorno de la aplicación"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr "Generador de GCode"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Biblioteca de comunicación entre procesos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Lenguaje de programación"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "Entorno de la GUI"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "Enlaces del entorno de la GUI"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "Biblioteca de enlaces C/C++"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Formato de intercambio de datos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Biblioteca de apoyo para cálculos científicos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Biblioteca de apoyo para cálculos más rápidos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "Biblioteca de apoyo para gestionar archivos STL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr "Biblioteca de compatibilidad para trabajar con objetos planos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr "Biblioteca de compatibilidad para trabajar con mallas triangulares"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Biblioteca de compatibilidad para trabajar con archivos 3MF"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr "Biblioteca de compatibilidad para metadatos y transmisión de archivos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Biblioteca de comunicación en serie"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "Biblioteca de detección para Zeroconf"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Biblioteca de recorte de polígonos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr "Comprobador de tipo estático para Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr "Certificados de raíz para validar la fiabilidad del SSL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr "Biblioteca de seguimiento de errores de Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr "Biblioteca de empaquetado de polígonos, desarrollada por Prusa Research"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr "Enlaces de Python para libnest2d"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr "Biblioteca de soporte para el acceso al llavero del sistema"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr "Extensiones Python para Microsoft Windows"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Fuente"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "Iconos SVG"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr "Implementación de la aplicación de distribución múltiple de Linux"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Abrir archivo de proyecto"
+msgid "Open file(s)"
+msgstr "Abrir archivo(s)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Este es un archivo de proyecto Cura. ¿Le gustaría abrirlo como un proyecto o importar sus modelos?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Hemos encontrado uno o más archivos del proyecto entre los archivos que ha seleccionado. Solo puede abrir los archivos de proyecto de uno en uno. Le recomendamos que solo importe modelos de esos archivos. ¿Desea continuar?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Recordar mi selección"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Abrir como proyecto"
+msgid "Import all as models"
+msgstr "Importar todos como modelos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Guardar proyecto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Extrusor %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 y material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "No mostrar resumen de proyecto al guardar de nuevo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Importar modelos"
+msgid "Save"
+msgstr "Guardar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Descartar o guardar cambios"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -3996,1251 +3970,144 @@ msgstr ""
"¿Le gustaría mantener estos ajustes cambiados después de cambiar de perfil?\n"
"También puede descartar los cambios para cargar los valores predeterminados de'%1'."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Ajustes del perfil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr "Cambios actuales"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Preguntar siempre"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Descartar y no volver a preguntar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Guardar y no volver a preguntar"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr "Descartar los cambios"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr "Mantener los cambios"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Abrir archivo de proyecto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Hemos encontrado uno o más archivos del proyecto entre los archivos que ha seleccionado. Solo puede abrir los archivos de proyecto de uno en uno. Le recomendamos que solo importe modelos de esos archivos. ¿Desea continuar?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Este es un archivo de proyecto Cura. ¿Le gustaría abrirlo como un proyecto o importar sus modelos?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Recordar mi selección"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Importar todos como modelos"
+msgid "Open as project"
+msgstr "Abrir como proyecto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Guardar proyecto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Extrusor %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 y material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "No mostrar resumen de proyecto al guardar de nuevo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Guardar"
+msgid "Import models"
+msgstr "Importar modelos"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Imprimir modelo seleccionado con %1"
-msgstr[1] "Imprimir modelos seleccionados con %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr "Sin título"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "&Archivo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "&Edición"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "&Ver"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr "A&justes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "E&xtensiones"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "Pre&ferencias"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "A&yuda"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Nuevo proyecto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "¿Está seguro de que desea iniciar un nuevo proyecto? Esto borrará la placa de impresión y cualquier ajuste no guardado."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr "Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr "Configuraciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr "Esta configuración no se encuentra disponible porque %1 es un perfil desconocido. Visite %2 para descargar el perfil de materiales correcto."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr "Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr "Cargando configuraciones disponibles desde la impresora..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr "Las configuraciones no se encuentran disponibles porque la impresora no está conectada."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr "Seleccionar configuración"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr "Configuraciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr "Personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr "Impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr "Habilitado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr "Utilice pegamento con esta combinación de materiales para lograr una mejor adhesión."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Imprimir modelo seleccionado con:"
-msgstr[1] "Imprimir modelos seleccionados con:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Multiplicar modelo seleccionado"
-msgstr[1] "Multiplicar modelos seleccionados"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Número de copias"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr "&Guardar proyecto..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr "&Exportar..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr "Exportar selección..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr "Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr "Favoritos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr "Genérico"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr "Abrir archivo(s)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr "Impresoras de red habilitadas"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr "Impresoras locales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "Abrir &reciente"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr "Guardar proyecto..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "&Impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Definir como extrusor activo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr "Habilitar extrusor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr "Deshabilitar extrusor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr "Ajustes visibles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr "Contraer todas las categorías"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr "Gestionar visibilidad de los ajustes..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr "&Posición de la cámara"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr "Vista de cámara"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr "Perspectiva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr "Ortográfica"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr "P&laca de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "No está conectado a ninguna impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "La impresora no acepta comandos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "En mantenimiento. Compruebe la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Se ha perdido la conexión con la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Imprimiendo..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "En pausa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Preparando..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Retire la impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr "Cancelar impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "¿Está seguro de que desea cancelar la impresión?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr "Se imprime como soporte."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr "Se han modificado otros modelos que se superponen con este modelo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr "Se ha modificado la superposición del relleno con este modelo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr "No se admiten superposiciones con este modelo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] "%1 sobrescrito."
-msgstr[1] "%1 sobrescritos."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr "Lista de objetos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Interfaz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Moneda:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Tema:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "Tendrá que reiniciar la aplicación para que estos cambios tengan efecto."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Segmentar automáticamente al cambiar los ajustes."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Segmentar automáticamente"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "Comportamiento de la ventanilla"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Resaltar en rojo las áreas del modelo sin soporte. Sin soporte, estas áreas no se imprimirán correctamente."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Mostrar voladizos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr "Resalta las superficies que faltan o son extrañas del modelo usando señales de advertencia. A las trayectorias de herramientas les faltarán a menudo partes de la geometría prevista."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr "Mostrar errores de modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "Mueve la cámara de manera que el modelo se encuentre en el centro de la vista cuando se selecciona un modelo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Centrar cámara cuando se selecciona elemento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "¿Se debería invertir el comportamiento predeterminado del zoom de cura?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Invertir la dirección del zoom de la cámara."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "¿Debería moverse el zoom en la dirección del ratón?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr "Hacer zoom en la dirección del ratón no es compatible con la perspectiva ortográfica."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "Hacer zoom en la dirección del ratón"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "¿Deben moverse los modelos en la plataforma de modo que no se crucen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "Asegúrese de que los modelos están separados"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "¿Deben moverse los modelos del área de impresión de modo que no toquen la placa de impresión?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Arrastrar modelos a la placa de impresión de forma automática"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr "Se muestra el mensaje de advertencia en el lector de GCode."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr "Mensaje de advertencia en el lector de GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "¿Debe forzarse el modo de compatibilidad de la capa?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "Forzar modo de compatibilidad de la vista de capas (necesario reiniciar)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr "¿Debería abrirse Cura en el lugar donde se cerró?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr "Restaurar la posición de la ventana al inicio"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr "¿Qué tipo de renderizado de cámara debería usarse?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr "Renderizado de cámara:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr "Perspectiva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr "Ortográfica"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Abrir y guardar archivos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr "¿Debería abrir los archivos del escritorio o las aplicaciones externas en la misma instancia de Cura?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr "Utilizar una sola instancia de Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "¿Deben ajustarse los modelos al volumen de impresión si son demasiado grandes?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Escalar modelos de gran tamaño"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Un modelo puede mostrarse demasiado pequeño si su unidad son metros en lugar de milímetros, por ejemplo. ¿Deben escalarse estos modelos?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Escalar modelos demasiado pequeños"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr "¿Se deberían seleccionar los modelos después de haberse cargado?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr "Seleccionar modelos al abrirlos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "¿Debe añadirse automáticamente un prefijo basado en el nombre de la impresora al nombre del trabajo de impresión?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Agregar prefijo de la máquina al nombre del trabajo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "¿Mostrar un resumen al guardar un archivo de proyecto?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Mostrar un cuadro de diálogo de resumen al guardar el proyecto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Comportamiento predeterminado al abrir un archivo del proyecto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Comportamiento predeterminado al abrir un archivo del proyecto: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr "Preguntar siempre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Abrir siempre como un proyecto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Importar modelos siempre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Si ha realizado cambios en un perfil y, a continuación, ha cambiado a otro, aparecerá un cuadro de diálogo que le preguntará si desea guardar o descartar los cambios. También puede elegir el comportamiento predeterminado, así ese cuadro de diálogo no volverá a aparecer."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr "Perfiles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr "Comportamiento predeterminado para los valores modificados al cambiar a otro perfil: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr "Descartar siempre los ajustes modificados"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr "Transferir siempre los ajustes modificados al nuevo perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Privacidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "¿Deben enviarse datos anónimos sobre la impresión a Ultimaker? Tenga en cuenta que no se envían ni almacenan modelos, direcciones IP ni otra información de identificación personal."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "Enviar información (anónima) de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr "Más información"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr "Actualizaciones"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "¿Debe Cura buscar actualizaciones cuando se abre el programa?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Buscar actualizaciones al iniciar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr "Cuando busque actualizaciones, compruebe solo si hay versiones estables."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr "Solo versiones estables"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr "Cuando busque actualizaciones, compruebe si hay versiones estables y versiones beta."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr "Versiones estables y beta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr "¿Debería Cura buscar automáticamente nuevos complementos cada vez que se inicia? Le recomendamos encarecidamente que no desactive esta opción!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr "Recibir notificaciones de actualizaciones de complementos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Activar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Cambiar nombre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Crear"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Duplicado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Importar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Exportar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr "Sincronizar con las impresoras"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr "Impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr "Confirmar eliminación"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr "¿Seguro que desea eliminar %1? ¡Esta acción no se puede deshacer!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Importar material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "No se pudo importar el material en %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "El material se ha importado correctamente en %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Exportar material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Se ha producido un error al exportar el material a %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "El material se ha exportado correctamente a %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr "Exportar todos los materiales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Información"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr "Confirmar cambio de diámetro"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr "El nuevo diámetro del filamento está ajustado en %1 mm y no es compatible con el extrusor actual. ¿Desea continuar?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Mostrar nombre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Tipo de material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Color"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Propiedades"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Densidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Diámetro"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Coste del filamento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Peso del filamento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Longitud del filamento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Coste por metro"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Este material está vinculado a %1 y comparte alguna de sus propiedades."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Desvincular material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Descripción"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Información sobre adherencia"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Ajustes de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Crear"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Duplicado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Crear perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr "Introduzca un nombre para este perfil."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Duplicar perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Cambiar nombre de perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Importar perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Exportar perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Impresora: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Actualizar perfil con ajustes o sobrescrituras actuales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "Descartar cambios actuales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Este perfil utiliza los ajustes predeterminados especificados por la impresora, por eso no aparece ningún ajuste o sobrescritura en la lista que se ve a continuación."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Los ajustes actuales coinciden con el perfil seleccionado."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Ajustes globales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Calculado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Ajustes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Actual"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Unidad"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Visibilidad de los ajustes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Comprobar todo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Extrusor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "Temperatura objetivo del extremo caliente. El extremo caliente se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento del extremo caliente se desactivará."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr "Temperatura actual de este extremo caliente."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr "Temperatura a la que se va a precalentar el extremo caliente."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Cancelar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Precalentar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr "Caliente el extremo caliente antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que el extremo caliente se caliente para poder imprimir."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Color del material en este extrusor."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Material en este extrusor."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "Tobera insertada en este extrusor."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Placa de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "Temperatura objetivo de la plataforma calentada. La plataforma se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento de la plataforma se desactivará."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "Temperatura actual de la plataforma caliente."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "Temperatura a la que se va a precalentar la plataforma."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "Caliente la plataforma antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que la plataforma se caliente para poder imprimir."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr "Control de impresoras"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr "Posición de desplazamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr "X/Y"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr "Z"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr "Distancia de desplazamiento"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr "Enviar GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr "Envíe un comando de GCode personalizado a la impresora conectada. Pulse «Intro» para enviar el comando."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "La impresora no está conectada."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr "La impresora de la nube está sin conexión. Compruebe si la impresora está encendida y conectada a Internet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr "Esta impresora no está vinculada a su cuenta. Vaya a Ultimaker Digital Factory para establecer una conexión."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr "La conexión de la nube no está disponible actualmente. Inicie sesión para conectarse a la impresora de la nube."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr "La conexión de la nube no está disponible actualmente. Compruebe la conexión a Internet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr "Agregar impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr "Administrar impresoras"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr "Impresoras conectadas"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr "Impresoras preconfiguradas"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Activar impresión"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Nombre del trabajo"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Tiempo de impresión"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Tiempo restante estimado"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr "La impresora de la nube está sin conexión. Compruebe si la impresora está encendida y conectada a Internet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr "Esta impresora no está vinculada a su cuenta. Vaya a Ultimaker Digital Factory para establecer una conexión."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr "La conexión de la nube no está disponible actualmente. Inicie sesión para conectarse a la impresora de la nube."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr "La conexión de la nube no está disponible actualmente. Compruebe la conexión a Internet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr "Agregar impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr "Administrar impresoras"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr "Impresoras conectadas"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr "Impresoras preconfiguradas"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Ajustes de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr "Configuración de impresión deshabilitada. No se puede modificar el archivo GCode."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr "Perfil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5251,120 +4118,1703 @@ msgstr ""
"\n"
"Haga clic para abrir el administrador de perfiles."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr "Perfiles personalizados"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "Descartar cambios actuales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr "Recomendado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr "Personalizado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr "Encendido"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr "Apagado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr "Experimental"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
msgstr[0] "No hay ningún perfil %1 para configuración en %2 extrusor. En su lugar se utilizará la opción predeterminada"
msgstr[1] "No hay ningún perfil %1 para configuraciones en %2 extrusores. En su lugar se utilizará la opción predeterminada"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr "Configuración de impresión deshabilitada. No se puede modificar el archivo GCode."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr "Recomendado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr "Personalizado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr "Encendido"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr "Apagado"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
-msgstr "Experimental"
+msgid "Profiles"
+msgstr "Perfiles"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr "Adherencia"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Habilita la impresión de un borde o una balsa. Esta opción agregará un área plana alrededor del objeto, que es fácil de cortar después."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr "Relleno gradual"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "Un relleno gradual aumentará gradualmente la cantidad de relleno hacia arriba."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr "Ha modificado algunos ajustes del perfil. Si desea cambiarlos, hágalo en el modo personalizado."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr "Soporte"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "Generar estructuras para soportar piezas del modelo que tengan voladizos. Sin estas estructuras, estas piezas se romperían durante la impresión."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
-msgstr ""
-"Algunos ajustes ocultos utilizan valores diferentes de los valores normales calculados.\n"
-"\n"
-"Haga clic para mostrar estos ajustes."
+msgid "Gradual infill"
+msgstr "Relleno gradual"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "Un relleno gradual aumentará gradualmente la cantidad de relleno hacia arriba."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr "Adherencia"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Habilita la impresión de un borde o una balsa. Esta opción agregará un área plana alrededor del objeto, que es fácil de cortar después."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr "Guardar proyecto..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr "Impresoras de red habilitadas"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr "Impresoras locales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr "Favoritos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr "Genérico"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Imprimir modelo seleccionado con:"
+msgstr[1] "Imprimir modelos seleccionados con:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Multiplicar modelo seleccionado"
+msgstr[1] "Multiplicar modelos seleccionados"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Número de copias"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr "&Guardar proyecto..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr "&Exportar..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr "Exportar selección..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr "Configuraciones"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr "Personalizado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr "Impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr "Habilitado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr "Utilice pegamento con esta combinación de materiales para lograr una mejor adhesión."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr "Seleccionar configuración"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr "Configuraciones"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr "Cargando configuraciones disponibles desde la impresora..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr "Las configuraciones no se encuentran disponibles porque la impresora no está conectada."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr "Esta configuración no se encuentra disponible porque %1 es un perfil desconocido. Visite %2 para descargar el perfil de materiales correcto."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr "Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr "Abrir archivo(s)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "&Impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Definir como extrusor activo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr "Habilitar extrusor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr "Deshabilitar extrusor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "Abrir &reciente"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr "Ajustes visibles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr "Contraer todas las categorías"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr "Gestionar visibilidad de los ajustes..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr "&Posición de la cámara"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr "Vista de cámara"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr "Perspectiva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr "Ortográfica"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr "P&laca de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr "Ver tipo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr "Se imprime como soporte."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr "Se han modificado otros modelos que se superponen con este modelo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr "Se ha modificado la superposición del relleno con este modelo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr "No se admiten superposiciones con este modelo."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] "%1 sobrescrito."
+msgstr[1] "%1 sobrescritos."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Perfiles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Activar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Crear"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Duplicado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Cambiar nombre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Importar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Exportar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Crear perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr "Introduzca un nombre para este perfil."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Duplicar perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr "Confirmar eliminación"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr "¿Seguro que desea eliminar %1? ¡Esta acción no se puede deshacer!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Cambiar nombre de perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Importar perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Exportar perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Impresora: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Actualizar perfil con ajustes o sobrescrituras actuales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Este perfil utiliza los ajustes predeterminados especificados por la impresora, por eso no aparece ningún ajuste o sobrescritura en la lista que se ve a continuación."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Los ajustes actuales coinciden con el perfil seleccionado."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Ajustes globales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "General"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Interfaz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Moneda:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Tema:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "Tendrá que reiniciar la aplicación para que estos cambios tengan efecto."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Segmentar automáticamente al cambiar los ajustes."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Segmentar automáticamente"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "Comportamiento de la ventanilla"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Resaltar en rojo las áreas del modelo sin soporte. Sin soporte, estas áreas no se imprimirán correctamente."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Mostrar voladizos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr "Resalta las superficies que faltan o son extrañas del modelo usando señales de advertencia. A las trayectorias de herramientas les faltarán a menudo partes de la geometría prevista."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr "Mostrar errores de modelo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "Mueve la cámara de manera que el modelo se encuentre en el centro de la vista cuando se selecciona un modelo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Centrar cámara cuando se selecciona elemento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "¿Se debería invertir el comportamiento predeterminado del zoom de cura?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Invertir la dirección del zoom de la cámara."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "¿Debería moverse el zoom en la dirección del ratón?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr "Hacer zoom en la dirección del ratón no es compatible con la perspectiva ortográfica."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "Hacer zoom en la dirección del ratón"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "¿Deben moverse los modelos en la plataforma de modo que no se crucen?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "Asegúrese de que los modelos están separados"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "¿Deben moverse los modelos del área de impresión de modo que no toquen la placa de impresión?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Arrastrar modelos a la placa de impresión de forma automática"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr "Se muestra el mensaje de advertencia en el lector de GCode."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr "Mensaje de advertencia en el lector de GCode"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "¿Debe forzarse el modo de compatibilidad de la capa?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "Forzar modo de compatibilidad de la vista de capas (necesario reiniciar)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr "¿Debería abrirse Cura en el lugar donde se cerró?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr "Restaurar la posición de la ventana al inicio"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr "¿Qué tipo de renderizado de cámara debería usarse?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr "Renderizado de cámara:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr "Perspectiva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr "Ortográfica"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Abrir y guardar archivos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr "¿Debería abrir los archivos del escritorio o las aplicaciones externas en la misma instancia de Cura?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr "Utilizar una sola instancia de Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr "¿Se debe limpiar la placa de impresión antes de cargar un nuevo modelo en una única instancia de Cura?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr "Limpiar la placa de impresión antes de cargar el modelo en la instancia única"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "¿Deben ajustarse los modelos al volumen de impresión si son demasiado grandes?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Escalar modelos de gran tamaño"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Un modelo puede mostrarse demasiado pequeño si su unidad son metros en lugar de milímetros, por ejemplo. ¿Deben escalarse estos modelos?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Escalar modelos demasiado pequeños"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr "¿Se deberían seleccionar los modelos después de haberse cargado?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr "Seleccionar modelos al abrirlos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "¿Debe añadirse automáticamente un prefijo basado en el nombre de la impresora al nombre del trabajo de impresión?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Agregar prefijo de la máquina al nombre del trabajo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "¿Mostrar un resumen al guardar un archivo de proyecto?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Mostrar un cuadro de diálogo de resumen al guardar el proyecto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Comportamiento predeterminado al abrir un archivo del proyecto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Comportamiento predeterminado al abrir un archivo del proyecto: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr "Preguntar siempre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Abrir siempre como un proyecto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Importar modelos siempre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Si ha realizado cambios en un perfil y, a continuación, ha cambiado a otro, aparecerá un cuadro de diálogo que le preguntará si desea guardar o descartar los cambios. También puede elegir el comportamiento predeterminado, así ese cuadro de diálogo no volverá a aparecer."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr "Comportamiento predeterminado para los valores modificados al cambiar a otro perfil: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr "Descartar siempre los ajustes modificados"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr "Transferir siempre los ajustes modificados al nuevo perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Privacidad"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "¿Deben enviarse datos anónimos sobre la impresión a Ultimaker? Tenga en cuenta que no se envían ni almacenan modelos, direcciones IP ni otra información de identificación personal."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "Enviar información (anónima) de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr "Más información"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr "Actualizaciones"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "¿Debe Cura buscar actualizaciones cuando se abre el programa?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Buscar actualizaciones al iniciar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr "Cuando busque actualizaciones, compruebe solo si hay versiones estables."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr "Solo versiones estables"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr "Cuando busque actualizaciones, compruebe si hay versiones estables y versiones beta."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr "Versiones estables y beta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr "¿Debería Cura buscar automáticamente nuevos complementos cada vez que se inicia? Le recomendamos encarecidamente que no desactive esta opción!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr "Recibir notificaciones de actualizaciones de complementos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Información"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr "Confirmar cambio de diámetro"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr "El nuevo diámetro del filamento está ajustado en %1 mm y no es compatible con el extrusor actual. ¿Desea continuar?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Mostrar nombre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Tipo de material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Color"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Propiedades"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Densidad"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Diámetro"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Coste del filamento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Peso del filamento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Longitud del filamento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Coste por metro"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Este material está vinculado a %1 y comparte alguna de sus propiedades."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Desvincular material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Descripción"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Información sobre adherencia"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Crear"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Duplicado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr "Sincronizar con las impresoras"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr "Impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Importar material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "No se pudo importar el material en %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "El material se ha importado correctamente en %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Exportar material"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to %1: %2"
+msgstr "Se ha producido un error al exportar el material a %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr "El material se ha exportado correctamente a %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid "Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt "@text In the UI this is followed by a list of steps the user needs to take."
+msgid "Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr "Exportar todos los materiales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr "Visibilidad de los ajustes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr "Comprobar todo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr "Impresoras"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr "Calculado"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr "Ajustes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr "Perfil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr "Actual"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr "Unidad"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr "No está conectado a ninguna impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr "La impresora no acepta comandos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr "En mantenimiento. Compruebe la impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr "Se ha perdido la conexión con la impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr "Imprimiendo..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr "En pausa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr "Preparando..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr "Retire la impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr "Cancelar impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr "¿Está seguro de que desea cancelar la impresión?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] "Imprimir modelo seleccionado con %1"
+msgstr[1] "Imprimir modelos seleccionados con %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr "Mis impresoras"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr "Supervise las impresoras de Ultimaker Digital Factory."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr "Cree proyectos de impresión en Digital Library."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr "Trabajos de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr "Supervise los trabajos de impresión y vuelva a imprimir desde su historial de impresión."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr "Amplíe Ultimaker Cura con complementos y perfiles de materiales."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr "Conviértase en un experto en impresión 3D con el aprendizaje electrónico de Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr "Soporte técnico de Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr "Aprenda cómo empezar a utilizar Ultimaker Cura."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr "Haga una pregunta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr "Consulte en la Comunidad Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr "Informar del error"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr "Informe a los desarrolladores de que algo no funciona bien."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr "Visite el sitio web de Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr "Control de impresoras"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr "Posición de desplazamiento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr "X/Y"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr "Z"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr "Distancia de desplazamiento"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr "Enviar GCode"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
+msgstr "Envíe un comando de GCode personalizado a la impresora conectada. Pulse «Intro» para enviar el comando."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr "Extrusor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr "Temperatura objetivo del extremo caliente. El extremo caliente se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento del extremo caliente se desactivará."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr "Temperatura actual de este extremo caliente."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr "Temperatura a la que se va a precalentar el extremo caliente."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr "Cancelar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr "Precalentar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
+msgstr "Caliente el extremo caliente antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que el extremo caliente se caliente para poder imprimir."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr "Color del material en este extrusor."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr "Material en este extrusor."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr "Tobera insertada en este extrusor."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr "La impresora no está conectada."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr "Placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
+msgstr "Temperatura objetivo de la plataforma calentada. La plataforma se calentará o enfriará en función de esta temperatura. Si el valor es 0, el calentamiento de la plataforma se desactivará."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr "Temperatura actual de la plataforma caliente."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr "Temperatura a la que se va a precalentar la plataforma."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
+msgstr "Caliente la plataforma antes de imprimir. Puede continuar ajustando la impresión durante el calentamiento, así no tendrá que esperar a que la plataforma se caliente para poder imprimir."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr "Iniciar sesión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+"- Añada perfiles de materiales y complementos del Marketplace \n"
+"- Realice copias de seguridad y sincronice los perfiles y complementos de sus materiales \n"
+"- Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr "Cree una cuenta gratuita de Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr "Última actualización: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr "Cuenta de Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr "Cerrar sesión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr "Comprobando..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr "Cuenta sincronizada"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr "Se ha producido un error..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr "Instalar actualizaciones pendientes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr "Buscar actualizaciones de la cuenta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr "Sin título"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr "No hay elementos para seleccionar"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr "Mostrar Guía de resolución de problemas en línea"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr "Alternar pantalla completa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr "Salir de modo de pantalla completa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr "Des&hacer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr "&Rehacer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr "&Salir"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr "Vista en 3D"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr "Vista frontal"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr "Vista superior"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr "Vista inferior"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr "Vista del lado izquierdo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr "Vista del lado derecho"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr "Configurar Cura..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr "&Agregar impresora..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr "Adm&inistrar impresoras ..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr "Administrar materiales..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr "Añadir más materiales de Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr "&Actualizar perfil con ajustes o sobrescrituras actuales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr "&Descartar cambios actuales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr "&Crear perfil a partir de ajustes o sobrescrituras actuales..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr "Administrar perfiles..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr "Mostrar &documentación en línea"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr "Informar de un &error"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr "Novedades"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr "Acerca de..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr "Eliminar selección"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr "Centrar selección"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr "Multiplicar selección"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr "Eliminar modelo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr "Ce&ntrar modelo en plataforma"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr "A&grupar modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr "Desagrupar modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr "Co&mbinar modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr "&Multiplicar modelo..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr "Seleccionar todos los modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr "Borrar placa de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr "Recargar todos los modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr "Organizar todos los modelos en todas las placas de impresión"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr "Organizar todos los modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr "Organizar selección"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr "Restablecer las posiciones de todos los modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr "Restablecer las transformaciones de todos los modelos"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr "&Abrir archivo(s)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr "&Nuevo proyecto..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr "Mostrar carpeta de configuración"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr "Configurar visibilidad de los ajustes..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr "&Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid "This setting is not used because all the settings that it influences are overridden."
msgstr "Este ajuste no se utiliza porque los ajustes a los que afecta están sobrescritos."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr "Afecta a"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr "Afectado por"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
msgstr "Este ajuste siempre se comparte entre extrusores. Si lo modifica, modificará el valor de todos los extrusores."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr "Este valor se resuelve a partir de valores en conflicto específicos del extrusor:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5375,7 +5825,7 @@ msgstr ""
"\n"
"Haga clic para restaurar el valor del perfil."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value set.\n"
@@ -5386,509 +5836,93 @@ msgstr ""
"\n"
"Haga clic para restaurar el valor calculado."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr "Buscar ajustes"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr "Copiar valor en todos los extrusores"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr "Copiar todos los valores cambiados en todos los extrusores"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr "Ocultar este ajuste"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr "No mostrar este ajuste"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr "Mostrar este ajuste"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr "Vista en 3D"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr "Vista frontal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr "Vista superior"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr "Vista del lado izquierdo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr "Vista del lado derecho"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
-msgid "View type"
-msgstr "Ver tipo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
-msgctxt "@label"
-msgid "Add a Cloud printer"
-msgstr "Añadir una impresora a la nube"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
-msgstr "Esperando la respuesta de la nube"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
-msgstr "¿No se han encontrado impresoras en su cuenta?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
-msgstr "Las siguientes impresoras de su cuenta se han añadido en Cura:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr "Añadir impresora manualmente"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr "Fabricante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr "Autor del perfil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr "Nombre de la impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr "Asigne un nombre a su impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
-msgstr "Agregar una impresora"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr "Agregar una impresora en red"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr "Agregar una impresora fuera de red"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr "No se ha encontrado ninguna impresora en su red."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr "Actualizar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr "Agregar impresora por IP"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr "Añadir impresora a la nube"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr "Solución de problemas"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr "Agregar impresora por dirección IP"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr "Introduzca la dirección IP de su impresora."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr "Agregar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr "No se ha podido conectar al dispositivo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr "¿No puede conectarse a la impresora Ultimaker?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr "La impresora todavía no ha respondido en esta dirección."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
-msgctxt "@label"
-msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
-msgstr "No se puede agregar la impresora porque es desconocida o no aloja un grupo."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr "Atrás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr "Conectar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
-msgctxt "@label"
-msgid "Release Notes"
-msgstr "Notas de la versión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
-msgstr "Añada ajustes de material y complementos desde Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
-msgstr "Realice copias de seguridad y sincronice los ajustes y complementos de sus materiales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
-msgstr "Comparta ideas y obtenga ayuda de más de 48 000 usuarios de la comunidad Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
-msgstr "Omitir"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
-msgstr "Cree una cuenta gratuita de Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr "Ayúdenos a mejorar Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
-msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
-msgstr "Ultimaker Cura recopila datos anónimos para mejorar la calidad de impresión y la experiencia de usuario, entre otros:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
-msgstr "Tipos de máquina"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr "Uso de material"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr "Número de segmentos"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr "Ajustes de impresión"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid "Data collected by Ultimaker Cura will not contain any personal information."
-msgstr "Los datos recopilados por Ultimaker Cura no contendrán información personal."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr "Más información"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr "Vacío"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr "Acuerdo de usuario"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr "Rechazar y cerrar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr "Le damos la bienvenida a Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgid ""
+"Some hidden settings use values different from their normal calculated value.\n"
+"\n"
+"Click to make these settings visible."
msgstr ""
-"Siga estos pasos para configurar\n"
-"Ultimaker Cura. Solo le llevará unos minutos."
+"Algunos ajustes ocultos utilizan valores diferentes de los valores normales calculados.\n"
+"\n"
+"Haga clic para mostrar estos ajustes."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr "Empezar"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
+msgid "This package will be installed after restarting."
+msgstr "Este paquete se instalará después de reiniciar."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
+msgstr "Ajustes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
+msgstr "Cerrando %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
+msgstr "¿Seguro que desea salir de %1?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
+msgstr "Instalar paquete"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
+msgstr "Abrir archivo(s)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
+msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
+msgstr "Hemos encontrado uno o más archivos de GCode entre los archivos que ha seleccionado. Solo puede abrir los archivos GCode de uno en uno. Si desea abrir un archivo GCode, seleccione solo uno."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
+msgstr "Agregar impresora"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
msgstr "Novedades"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr "No hay elementos para seleccionar"
-
-#: ModelChecker/plugin.json
-msgctxt "description"
-msgid "Checks models and print configuration for possible printing issues and give suggestions."
-msgstr "Comprueba las configuraciones de los modelos y la impresión en busca de posibles problemas de impresión y da consejos."
-
-#: ModelChecker/plugin.json
-msgctxt "name"
-msgid "Model Checker"
-msgstr "Comprobador de modelos"
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr "Proporciona asistencia para leer archivos 3MF."
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr "Lector de 3MF"
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr "Proporciona asistencia para escribir archivos 3MF."
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr "Escritor de 3MF"
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr "Proporciona asistencia para leer archivos AMF."
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr "Lector de AMF"
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr "Realice una copia de seguridad de su configuración y restáurela."
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr "Copias de seguridad de Cura"
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr "Proporciona el vínculo para el backend de segmentación de CuraEngine."
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
-msgstr "Backend de CuraEngine"
-
-#: CuraProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing Cura profiles."
-msgstr "Proporciona asistencia para la importación de perfiles de Cura."
-
-#: CuraProfileReader/plugin.json
-msgctxt "name"
-msgid "Cura Profile Reader"
-msgstr "Lector de perfiles de Cura"
-
-#: CuraProfileWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
-msgstr "Proporciona asistencia para exportar perfiles de Cura."
-
-#: CuraProfileWriter/plugin.json
-msgctxt "name"
-msgid "Cura Profile Writer"
-msgstr "Escritor de perfiles de Cura"
-
-#: DigitalLibrary/plugin.json
-msgctxt "description"
-msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
-msgstr "Se conecta a la biblioteca digital, por lo que Cura puede abrir y guardar archivos en ella."
-
-#: DigitalLibrary/plugin.json
-msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr "Ultimaker Digital Library"
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr "Busca actualizaciones de firmware."
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr "Buscador de actualizaciones de firmware"
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr "Proporciona opciones a la máquina para actualizar el firmware."
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr "Actualizador de firmware"
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr "Lee GCode de un archivo comprimido."
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr "Lector de GCode comprimido"
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr "Escribe GCode en un archivo comprimido."
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr "Escritor de GCode comprimido"
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr "Proporciona asistencia para la importación de perfiles de archivos GCode."
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr "Lector de perfiles GCode"
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr "Permite cargar y visualizar archivos GCode."
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr "Lector de GCode"
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr "Escribe GCode en un archivo."
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr "Escritor de GCode"
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr "Habilita la capacidad de generar geometría imprimible a partir de archivos de imagen 2D."
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr "Lector de imágenes"
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr "Proporciona asistencia para la importación de perfiles de versiones anteriores de Cura."
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
-msgstr "Lector de perfiles antiguos de Cura"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "description"
-msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
-msgstr "Permite cambiar los ajustes de la máquina (como el volumen de impresión, el tamaño de la tobera, etc.)."
-
-#: MachineSettingsAction/plugin.json
-msgctxt "name"
-msgid "Machine Settings Action"
-msgstr "Acción Ajustes de la máquina"
-
-#: MonitorStage/plugin.json
-msgctxt "description"
-msgid "Provides a monitor stage in Cura."
-msgstr "Proporciona una fase de supervisión en Cura."
-
-#: MonitorStage/plugin.json
-msgctxt "name"
-msgid "Monitor Stage"
-msgstr "Fase de supervisión"
-
#: PerObjectSettingsTool/plugin.json
msgctxt "description"
msgid "Provides the Per Model Settings."
@@ -5899,85 +5933,45 @@ msgctxt "name"
msgid "Per Model Settings Tool"
msgstr "Herramienta de ajustes por modelo"
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr "Extensión que permite el posprocesamiento de las secuencias de comandos creadas por los usuarios"
+msgid "Provides support for importing Cura profiles."
+msgstr "Proporciona asistencia para la importación de perfiles de Cura."
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "name"
-msgid "Post Processing"
-msgstr "Posprocesamiento"
+msgid "Cura Profile Reader"
+msgstr "Lector de perfiles de Cura"
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides a prepare stage in Cura."
-msgstr "Proporciona una fase de preparación en Cura."
+msgid "Provides support for reading X3D files."
+msgstr "Proporciona asistencia para leer archivos X3D."
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "name"
-msgid "Prepare Stage"
-msgstr "Fase de preparación"
+msgid "X3D Reader"
+msgstr "Lector de X3D"
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "description"
-msgid "Provides a preview stage in Cura."
-msgstr "Proporciona una fase de vista previa en Cura."
+msgid "Backup and restore your configuration."
+msgstr "Realice una copia de seguridad de su configuración y restáurela."
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Preview Stage"
-msgstr "Fase de vista previa"
+msgid "Cura Backups"
+msgstr "Copias de seguridad de Cura"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "description"
-msgid "Provides removable drive hotplugging and writing support."
-msgstr "Proporciona asistencia para la conexión directa y la escritura de la unidad extraíble."
+msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
+msgstr "Permite cambiar los ajustes de la máquina (como el volumen de impresión, el tamaño de la tobera, etc.)."
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "name"
-msgid "Removable Drive Output Device Plugin"
-msgstr "Complemento de dispositivo de salida de unidad extraíble"
-
-#: SentryLogger/plugin.json
-msgctxt "description"
-msgid "Logs certain events so that they can be used by the crash reporter"
-msgstr "Registra determinados eventos para que puedan utilizarse en el informe del accidente"
-
-#: SentryLogger/plugin.json
-msgctxt "name"
-msgid "Sentry Logger"
-msgstr "Registro de Sentry"
-
-#: SimulationView/plugin.json
-msgctxt "description"
-msgid "Provides the Simulation view."
-msgstr "Abre la vista de simulación."
-
-#: SimulationView/plugin.json
-msgctxt "name"
-msgid "Simulation View"
-msgstr "Vista de simulación"
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "description"
-msgid "Submits anonymous slice info. Can be disabled through preferences."
-msgstr "Envía información anónima de la segmentación. Se puede desactivar en las preferencias."
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "name"
-msgid "Slice info"
-msgstr "Info de la segmentación"
-
-#: SolidView/plugin.json
-msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr "Proporciona una vista de malla sólida normal."
-
-#: SolidView/plugin.json
-msgctxt "name"
-msgid "Solid View"
-msgstr "Vista de sólidos"
+msgid "Machine Settings Action"
+msgstr "Acción Ajustes de la máquina"
#: SupportEraser/plugin.json
msgctxt "description"
@@ -5989,35 +5983,45 @@ msgctxt "name"
msgid "Support Eraser"
msgstr "Borrador de soporte"
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "description"
-msgid "Find, manage and install new Cura packages."
-msgstr "Buscar, administrar e instalar nuevos paquetes de Cura."
+msgid "Provides removable drive hotplugging and writing support."
+msgstr "Proporciona asistencia para la conexión directa y la escritura de la unidad extraíble."
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "name"
-msgid "Toolbox"
-msgstr "Cuadro de herramientas"
+msgid "Removable Drive Output Device Plugin"
+msgstr "Complemento de dispositivo de salida de unidad extraíble"
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "description"
-msgid "Provides support for reading model files."
-msgstr "Proporciona asistencia para leer archivos 3D."
+msgid "Provides a machine actions for updating firmware."
+msgstr "Proporciona opciones a la máquina para actualizar el firmware."
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "name"
-msgid "Trimesh Reader"
-msgstr "Lector Trimesh"
+msgid "Firmware Updater"
+msgstr "Actualizador de firmware"
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
-msgstr "Proporciona soporte para la lectura de paquetes de formato Ultimaker."
+msgid "Provides support for importing profiles from legacy Cura versions."
+msgstr "Proporciona asistencia para la importación de perfiles de versiones anteriores de Cura."
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "name"
-msgid "UFP Reader"
-msgstr "Lector de UFP"
+msgid "Legacy Cura Profile Reader"
+msgstr "Lector de perfiles antiguos de Cura"
+
+#: 3MFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading 3MF files."
+msgstr "Proporciona asistencia para leer archivos 3MF."
+
+#: 3MFReader/plugin.json
+msgctxt "name"
+msgid "3MF Reader"
+msgstr "Lector de 3MF"
#: UFPWriter/plugin.json
msgctxt "description"
@@ -6029,25 +6033,95 @@ msgctxt "name"
msgid "UFP Writer"
msgstr "Escritor de UFP"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "description"
-msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
-msgstr "Proporciona las acciones de la máquina de las máquinas Ultimaker (como un asistente para la nivelación de la plataforma, la selección de actualizaciones, etc.)."
+msgid "Logs certain events so that they can be used by the crash reporter"
+msgstr "Registra determinados eventos para que puedan utilizarse en el informe del accidente"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "name"
-msgid "Ultimaker machine actions"
-msgstr "Acciones de la máquina Ultimaker"
+msgid "Sentry Logger"
+msgstr "Registro de Sentry"
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
-msgstr "Gestiona las conexiones de red de las impresoras Ultimaker conectadas."
+msgid "Provides support for importing profiles from g-code files."
+msgstr "Proporciona asistencia para la importación de perfiles de archivos GCode."
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "name"
-msgid "Ultimaker Network Connection"
-msgstr "Conexión en red de Ultimaker"
+msgid "G-code Profile Reader"
+msgstr "Lector de perfiles GCode"
+
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
+msgstr "Proporciona una fase de vista previa en Cura."
+
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr "Fase de vista previa"
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr "Proporciona la vista de rayos X."
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr "Vista de rayos X"
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr "Proporciona el vínculo para el backend de segmentación de CuraEngine."
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr "Backend de CuraEngine"
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr "Proporciona asistencia para leer archivos AMF."
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr "Lector de AMF"
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr "Lee GCode de un archivo comprimido."
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr "Lector de GCode comprimido"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr "Extensión que permite el posprocesamiento de las secuencias de comandos creadas por los usuarios"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr "Posprocesamiento"
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr "Proporciona asistencia para exportar perfiles de Cura."
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr "Escritor de perfiles de Cura"
#: USBPrinting/plugin.json
msgctxt "description"
@@ -6059,25 +6133,135 @@ msgctxt "name"
msgid "USB printing"
msgstr "Impresión USB"
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
-msgstr "Actualiza las configuraciones de Cura 2.1 a Cura 2.2."
+msgid "Provides a prepare stage in Cura."
+msgstr "Proporciona una fase de preparación en Cura."
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
-msgstr "Actualización de la versión 2.1 a la 2.2"
+msgid "Prepare Stage"
+msgstr "Fase de preparación"
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
-msgstr "Actualiza la configuración de Cura 2.2 a Cura 2.4."
+msgid "Allows loading and displaying G-code files."
+msgstr "Permite cargar y visualizar archivos GCode."
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
-msgstr "Actualización de la versión 2.2 a la 2.4"
+msgid "G-code Reader"
+msgstr "Lector de GCode"
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr "Habilita la capacidad de generar geometría imprimible a partir de archivos de imagen 2D."
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr "Lector de imágenes"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "description"
+msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
+msgstr "Proporciona las acciones de la máquina de las máquinas Ultimaker (como un asistente para la nivelación de la plataforma, la selección de actualizaciones, etc.)."
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "name"
+msgid "Ultimaker machine actions"
+msgstr "Acciones de la máquina Ultimaker"
+
+#: GCodeGzWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a compressed archive."
+msgstr "Escribe GCode en un archivo comprimido."
+
+#: GCodeGzWriter/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Writer"
+msgstr "Escritor de GCode comprimido"
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr "Busca actualizaciones de firmware."
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr "Buscador de actualizaciones de firmware"
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "description"
+msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgstr "Envía información anónima de la segmentación. Se puede desactivar en las preferencias."
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "name"
+msgid "Slice info"
+msgstr "Info de la segmentación"
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "description"
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr "Permite leer y escribir perfiles de material basados en XML."
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "name"
+msgid "Material Profiles"
+msgstr "Perfiles de material"
+
+#: DigitalLibrary/plugin.json
+msgctxt "description"
+msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
+msgstr "Se conecta a la biblioteca digital, por lo que Cura puede abrir y guardar archivos en ella."
+
+#: DigitalLibrary/plugin.json
+msgctxt "name"
+msgid "Ultimaker Digital Library"
+msgstr "Ultimaker Digital Library"
+
+#: Toolbox/plugin.json
+msgctxt "description"
+msgid "Find, manage and install new Cura packages."
+msgstr "Buscar, administrar e instalar nuevos paquetes de Cura."
+
+#: Toolbox/plugin.json
+msgctxt "name"
+msgid "Toolbox"
+msgstr "Cuadro de herramientas"
+
+#: GCodeWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a file."
+msgstr "Escribe GCode en un archivo."
+
+#: GCodeWriter/plugin.json
+msgctxt "name"
+msgid "G-code Writer"
+msgstr "Escritor de GCode"
+
+#: SimulationView/plugin.json
+msgctxt "description"
+msgid "Provides the Simulation view."
+msgstr "Abre la vista de simulación."
+
+#: SimulationView/plugin.json
+msgctxt "name"
+msgid "Simulation View"
+msgstr "Vista de simulación"
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
+msgstr "Actualiza la configuración de Cura 4.5 a Cura 4.6."
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.5 to 4.6"
+msgstr "Actualización de la versión 4.5 a la 4.6"
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
msgctxt "description"
@@ -6089,55 +6273,25 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr "Actualización de la versión 2.5 a la 2.6"
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
-msgstr "Actualiza la configuración de Cura 2.6 a Cura 2.7."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
+msgstr "Actualiza la configuración de Cura 4.6.0 a Cura 4.6.2."
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
-msgstr "Actualización de la versión 2.6 a la 2.7"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
+msgstr "Actualización de la versión 4.6.0 a la 4.6.2"
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
-msgstr "Actualiza la configuración de Cura 2.7 a Cura 3.0."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
+msgstr "Actualiza la configuración de Cura 4.7 a Cura 4.8."
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr "Actualización de la versión 2.7 a la 3.0"
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
-msgstr "Actualiza la configuración de Cura 3.0 a Cura 3.1."
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
-msgstr "Actualización de la versión 3.0 a la 3.1"
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
-msgstr "Actualiza la configuración de Cura 3.2 a Cura 3.3."
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr "Actualización de la versión 3.2 a la 3.3"
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr "Actualiza la configuración de Cura 3.3 a Cura 3.4."
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
-msgstr "Actualización de la versión 3.3 a la 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
+msgstr "Actualización de la versión 4.7 a la 4.8"
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
msgctxt "description"
@@ -6149,45 +6303,45 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr "Actualización de la versión 3.4 a la 3.5"
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
-msgstr "Actualiza la configuración de Cura 3.5 a Cura 4.0."
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgstr "Actualiza las configuraciones de Cura 2.1 a Cura 2.2."
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
-msgstr "Actualización de la versión 3.5 a la 4.0"
+msgid "Version Upgrade 2.1 to 2.2"
+msgstr "Actualización de la versión 2.1 a la 2.2"
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
-msgstr "Actualiza la configuración de Cura 4.0 a Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
+msgstr "Actualiza la configuración de Cura 3.2 a Cura 3.3."
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
-msgstr "Actualización de la versión 4.0 a la 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
+msgstr "Actualización de la versión 3.2 a la 3.3"
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
-msgstr ""
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
+msgstr "Actualiza la configuración de Cura 4.8 a Cura 4.9."
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
-msgstr ""
+msgid "Version Upgrade 4.8 to 4.9"
+msgstr "Actualización de la versión 4.8 a la 4.9"
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
-msgstr "Actualiza la configuración de Cura 4.1 a Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
+msgstr "Actualiza la configuración de Cura 4.6.2 a Cura 4.7."
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
-msgstr "Actualización de la versión 4.1 a la 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
+msgstr "Actualización de la versión 4.6.2 a la 4.7"
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
msgctxt "description"
@@ -6209,66 +6363,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr "Actualización de la versión 4.3 a la 4.4"
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr "Actualiza la configuración de Cura 4.4 a Cura 4.5."
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr "Actualización de la versión 4.4 a la 4.5"
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr "Actualiza la configuración de Cura 4.5 a Cura 4.6."
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr "Actualización de la versión 4.5 a la 4.6"
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr "Actualiza la configuración de Cura 4.6.0 a Cura 4.6.2."
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr "Actualización de la versión 4.6.0 a la 4.6.2"
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr "Actualiza la configuración de Cura 4.6.2 a Cura 4.7."
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr "Actualización de la versión 4.6.2 a la 4.7"
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr "Actualiza la configuración de Cura 4.7 a Cura 4.8."
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr "Actualización de la versión 4.7 a la 4.8"
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr "Actualiza la configuración de Cura 4.8 a Cura 4.9."
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr "Actualización de la versión 4.8 a la 4.9"
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6279,35 +6373,175 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr "Actualización de la versión 4.9 a la 4.10"
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
-msgstr "Proporciona asistencia para leer archivos X3D."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgstr "Actualiza la configuración de Cura 2.7 a Cura 3.0."
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
-msgstr "Lector de X3D"
+msgid "Version Upgrade 2.7 to 3.0"
+msgstr "Actualización de la versión 2.7 a la 3.0"
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
-msgstr "Permite leer y escribir perfiles de material basados en XML."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgstr "Actualiza la configuración de Cura 2.6 a Cura 2.7."
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
-msgstr "Perfiles de material"
+msgid "Version Upgrade 2.6 to 2.7"
+msgstr "Actualización de la versión 2.6 a la 2.7"
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
-msgstr "Proporciona la vista de rayos X."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgstr "Actualiza la configuración de Cura 4.11 a Cura 4.12."
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
-msgstr "Vista de rayos X"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr "Actualización de la versión 4.11 a 4.12"
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr "Actualiza la configuración de Cura 3.3 a Cura 3.4."
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr "Actualización de la versión 3.3 a la 3.4"
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr "Actualiza la configuración de Cura 3.0 a Cura 3.1."
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr "Actualización de la versión 3.0 a la 3.1"
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr "Actualiza la configuración de Cura 4.0 a Cura 4.1."
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr "Actualización de la versión 4.0 a la 4.1"
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr "Actualiza la configuración de Cura 4.4 a Cura 4.5."
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr "Actualización de la versión 4.4 a la 4.5"
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr "Actualiza la configuración de Cura 2.2 a Cura 2.4."
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr "Actualización de la versión 2.2 a la 2.4"
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr "Actualiza la configuración de Cura 4.1 a Cura 4.2."
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr "Actualización de la versión 4.1 a la 4.2"
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr "Actualiza la configuración de Cura 3.5 a Cura 4.0."
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr "Actualización de la versión 3.5 a la 4.0"
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr "Gestiona las conexiones de red de las impresoras Ultimaker conectadas."
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr "Conexión en red de Ultimaker"
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr "Proporciona asistencia para leer archivos 3D."
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr "Lector Trimesh"
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr "Proporciona soporte para la lectura de paquetes de formato Ultimaker."
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr "Lector de UFP"
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr "Proporciona una vista de malla sólida normal."
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr "Vista de sólidos"
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr "Proporciona asistencia para escribir archivos 3MF."
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr "Escritor de 3MF"
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr "Proporciona una fase de supervisión en Cura."
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr "Fase de supervisión"
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid "Checks models and print configuration for possible printing issues and give suggestions."
+msgstr "Comprueba las configuraciones de los modelos y la impresión en busca de posibles problemas de impresión y da consejos."
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
+msgstr "Comprobador de modelos"
#~ msgctxt "@info:status"
#~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account."
diff --git a/resources/i18n/es_ES/fdmextruder.def.json.po b/resources/i18n/es_ES/fdmextruder.def.json.po
index a337f42a72..b281d5a778 100644
--- a/resources/i18n/es_ES/fdmextruder.def.json.po
+++ b/resources/i18n/es_ES/fdmextruder.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: Spanish\n"
diff --git a/resources/i18n/es_ES/fdmprinter.def.json.po b/resources/i18n/es_ES/fdmprinter.def.json.po
index cc67a40c99..e7507d0a5e 100644
--- a/resources/i18n/es_ES/fdmprinter.def.json.po
+++ b/resources/i18n/es_ES/fdmprinter.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: 2021-04-16 15:15+0200\n"
"Last-Translator: Lionbridge \n"
"Language-Team: Spanish , Spanish \n"
@@ -57,8 +57,6 @@ msgid ""
"G-code commands to be executed at the very start - separated by \n"
"."
msgstr ""
-"Los comandos de GCode que se ejecutarán justo al inicio separados por - \n"
-"."
#: fdmprinter.def.json
msgctxt "machine_end_gcode label"
@@ -71,8 +69,6 @@ msgid ""
"G-code commands to be executed at the very end - separated by \n"
"."
msgstr ""
-"Los comandos de GCode que se ejecutarán justo al final separados por -\n"
-"."
#: fdmprinter.def.json
msgctxt "material_guid label"
@@ -154,6 +150,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr "Profundidad (dimensión sobre el eje Y) del área de impresión."
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr "Altura de la máquina"
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr "Altura (dimensión sobre el eje Z) del área de impresión."
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -194,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr "Aluminio"
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr "Altura de la máquina"
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr "Altura (dimensión sobre el eje Z) del área de impresión."
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -561,8 +557,8 @@ msgstr "Velocidad máxima del motor de la dirección Z."
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
-msgstr "Velocidad de alimentación máxima"
+msgid "Maximum Speed E"
+msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e description"
@@ -1731,7 +1727,7 @@ msgstr "Patrón de relleno"
#: fdmprinter.def.json
msgctxt "infill_pattern description"
-msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -1802,7 +1798,7 @@ msgstr "Giroide"
#: fdmprinter.def.json
msgctxt "infill_pattern option lightning"
msgid "Lightning"
-msgstr ""
+msgstr "Iluminación"
#: fdmprinter.def.json
msgctxt "zig_zaggify_infill label"
@@ -2021,41 +2017,41 @@ msgstr "El número de capas de relleno que soportan los bordes del forro."
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle label"
msgid "Lightning Infill Support Angle"
-msgstr ""
+msgstr "Ángulo de sujeción de relleno de iluminación"
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle description"
msgid "Determines when a lightning infill layer has to support anything above it. Measured in the angle given the thickness of a layer."
-msgstr ""
+msgstr "Determina cuándo una capa de iluminación tiene que soportar algo por encima de ella. Medido en el ángulo dado el espesor de una capa."
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle label"
msgid "Lightning Infill Overhang Angle"
-msgstr ""
+msgstr "Ángulo del voladizo de relleno de iluminación"
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle description"
msgid "Determines when a lightning infill layer has to support the model above it. Measured in the angle given the thickness."
-msgstr ""
+msgstr "Determina cuándo una capa de relleno de iluminación tiene que soportar el modelo que está por encima. Medido en el ángulo dado el espesor."
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle label"
msgid "Lightning Infill Prune Angle"
-msgstr ""
+msgstr "Ángulo de recorte de relleno de iluminación"
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle label"
msgid "Lightning Infill Straightening Angle"
-msgstr ""
+msgstr "Ángulo de enderezamiento de iluminación"
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
@@ -3251,7 +3247,7 @@ msgstr "Todo"
#: fdmprinter.def.json
msgctxt "retraction_combing option no_outer_surfaces"
msgid "Not on Outer Surface"
-msgstr ""
+msgstr "No en la superficie exterior"
#: fdmprinter.def.json
msgctxt "retraction_combing option noskin"
@@ -5205,7 +5201,7 @@ msgstr "Ancho de molde mínimo"
#: fdmprinter.def.json
msgctxt "mold_width description"
msgid "The minimal distance between the outside of the mold and the outside of the model."
-msgstr ""
+msgstr "Distancia mínima entre la parte exterior del molde y la parte exterior del modelo."
#: fdmprinter.def.json
msgctxt "mold_roof_height label"
@@ -6481,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue desde el archivo."
+#~ msgctxt "machine_start_gcode description"
+#~ msgid "G-code commands to be executed at the very start - separated by \\n."
+#~ msgstr "Los comandos de GCode que se ejecutarán justo al inicio separados por - \\n."
+
+#~ msgctxt "machine_end_gcode description"
+#~ msgid "G-code commands to be executed at the very end - separated by \\n."
+#~ msgstr "Los comandos de GCode que se ejecutarán justo al final separados por - \\n."
+
+#~ msgctxt "machine_max_feedrate_e label"
+#~ msgid "Maximum Feedrate"
+#~ msgstr "Velocidad de alimentación máxima"
+
+#~ msgctxt "infill_pattern description"
+#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+#~ msgstr "Patrón del material de relleno de la impresión. El relleno de línea y zigzag cambia de dirección en capas alternas, con lo que se reduce el coste de material. Los patrones de rejilla, triángulo, trihexágono, cubo, octeto, cubo bitruncado, transversal y concéntrico se imprimen en todas las capas por completo. El relleno giroide, cúbico, cúbico bitruncado y de octeto cambian en cada capa para proporcionar una distribución de fuerza equitativa en cada dirección. El relleno de iluminación intenta minimizar el relleno, apoyando únicamente las cubiertas (internas) del objeto. Como tal, el porcentaje de relleno solo es \"válido\" una capa por debajo de lo que necesite para soportar el modelo."
+
+#~ msgctxt "lightning_infill_prune_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+#~ msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como cuando se podan las puntas de los árboles. Medido en el ángulo dado el espesor."
+
+#~ msgctxt "lightning_infill_straightening_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+#~ msgstr "La diferencia que puede tener una capa de relleno de iluminación con la inmediatamente superior como el suavizado de los árboles. Medido en el ángulo dado el espesor."
+
#~ msgctxt "infill_pattern description"
#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
#~ msgstr "Patrón del material de relleno de la impresión. El relleno de línea y zigzag cambia de dirección en capas alternas, con lo que se reduce el coste de material. Los patrones de rejilla, triángulo, trihexágono, cubo, octeto, cubo bitruncado, transversal y concéntrico se imprimen en todas las capas por completo. El relleno giroide, cúbico, cúbico bitruncado y de octeto cambian en cada capa para proporcionar una distribución de fuerza equitativa en cada dirección."
diff --git a/resources/i18n/fdmextruder.def.json.pot b/resources/i18n/fdmextruder.def.json.pot
index a9b4b7fc37..2d127a3742 100644
--- a/resources/i18n/fdmextruder.def.json.pot
+++ b/resources/i18n/fdmextruder.def.json.pot
@@ -3,7 +3,7 @@ msgid ""
msgstr ""
"Project-Id-Version: Uranium json setting files\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME \n"
"Language-Team: LANGUAGE\n"
diff --git a/resources/i18n/fdmprinter.def.json.pot b/resources/i18n/fdmprinter.def.json.pot
index d820066206..5482032204 100644
--- a/resources/i18n/fdmprinter.def.json.pot
+++ b/resources/i18n/fdmprinter.def.json.pot
@@ -3,7 +3,7 @@ msgid ""
msgstr ""
"Project-Id-Version: Uranium json setting files\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME \n"
"Language-Team: LANGUAGE\n"
@@ -157,6 +157,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr ""
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr ""
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr ""
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -198,16 +208,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr ""
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr ""
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr ""
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -612,7 +612,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
+msgid "Maximum Speed E"
msgstr ""
#: fdmprinter.def.json
@@ -1988,9 +1988,7 @@ msgid ""
"patterns are fully printed every layer. Gyroid, cubic, quarter cubic and "
"octet infill change with every layer to provide a more equal distribution of "
"strength over each direction. Lightning infill tries to minimize the infill, "
-"by only supporting the (internal) roofs of the object. As such, the infill "
-"percentage is only 'valid' one layer below whatever it needs to support of "
-"the model."
+"by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -2359,9 +2357,8 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
msgid ""
-"The difference a lightning infill layer can have with the one immediately "
-"above w.r.t the pruning of the outer extremities of trees. Measured in the "
-"angle given the thickness."
+"The endpoints of infill lines are shortened to save on material. This "
+"setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
@@ -2372,9 +2369,8 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
msgid ""
-"The difference a lightning infill layer can have with the one immediately "
-"above w.r.t the smoothing of trees. Measured in the angle given the "
-"thickness."
+"The infill lines are straightened out to save on printing time. This is the "
+"maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
diff --git a/resources/i18n/fi_FI/cura.po b/resources/i18n/fi_FI/cura.po
index db5c57d9c1..e1e678109d 100644
--- a/resources/i18n/fi_FI/cura.po
+++ b/resources/i18n/fi_FI/cura.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
"PO-Revision-Date: 2017-09-27 12:27+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: Finnish\n"
@@ -15,212 +15,449 @@ msgstr ""
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Tuntematon"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "Tulostustilavuuden korkeutta on vähennetty tulostusjärjestysasetuksen vuoksi, jotta koroke ei osuisi tulostettuihin malleihin."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Tulostustilavuus"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Tuntematon"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Mukautettu materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Mukautettu"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Mukautetut profiilit"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Mukautettu materiaali"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Mukautettu"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Uusien paikkojen etsiminen kappaleille"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Etsitään paikkaa"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "Kaikille kappaleille ei löydy paikkaa tulostustilavuudessa."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "Paikkaa ei löydy"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Ladataan laitteita..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Asetetaan näkymää..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Ladataan käyttöliittymää..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "Tulostustilavuuden korkeutta on vähennetty tulostusjärjestysasetuksen vuoksi, jotta koroke ei osuisi tulostettuihin malleihin."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Vain yksi G-code-tiedosto voidaan ladata kerralla. Tiedoston {0} tuonti ohitettiin."
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Tulostustilavuus"
+msgid "Warning"
+msgstr "Varoitus"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "Muita tiedostoja ei voida ladata, kun G-code latautuu. Tiedoston {0} tuonti ohitettiin."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Virhe"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Sulje"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Lisää"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Peruuta"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Ulkoseinämä"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Sisäseinämät"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Pintakalvo"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Täyttö"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Tuen täyttö"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Tukiliittymä"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Tuki"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Helma"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Siirtoliike"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Takaisinvedot"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Muu"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -230,32 +467,32 @@ msgid ""
" "
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Kaatumisraportti"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -263,698 +500,641 @@ msgid ""
" "
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Ladataan laitteita..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Asetetaan näkymää..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Ladataan käyttöliittymää..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Vain yksi G-code-tiedosto voidaan ladata kerralla. Tiedoston {0} tuonti ohitettiin."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Varoitus"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "Muita tiedostoja ei voida ladata, kun G-code latautuu. Tiedoston {0} tuonti ohitettiin."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Virhe"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Kappaleiden kertominen ja sijoittelu"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Sijoitetaan kappaletta"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Kappaleiden kertominen ja sijoittelu"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Sijoitetaan kappaletta"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Suutin"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Tiedosto on jo olemassa"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "Tiedosto {0} on jo olemassa. Haluatko varmasti kirjoittaa sen päälle?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "Profiilin vienti epäonnistui tiedostoon {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "Profiilin vienti epäonnistui tiedostoon {0}: Kirjoitin-lisäosa ilmoitti virheestä."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Profiili viety tiedostoon {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "Profiililla {0} on tuntematon tiedostotyyppi tai se on vioittunut."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Mukautettu profiili"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "Profiilista puuttuu laatutyyppi."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Suutin"
+msgid "Per Model Settings"
+msgstr "Mallikohtaiset asetukset"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Määritä mallikohtaiset asetukset"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Cura-profiili"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "X3D-tiedosto"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
+msgid "Backups"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Lisää"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Peruuta"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Laitteen asetukset"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Siirrettävä asema"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Tallenna siirrettävälle asemalle"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Tallenna siirrettävälle asemalle {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Ulkoseinämä"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Tallennetaan siirrettävälle asemalle {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Sisäseinämät"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Pintakalvo"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Täyttö"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Tuen täyttö"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Tukiliittymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Tuki"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Helma"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Siirtoliike"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Takaisinvedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Muu"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Sulje"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
-msgstr ""
+msgid "Saving"
+msgstr "Tallennetaan"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "Ei voitu tallentaa tiedostoon {0}: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "Ei löydetty tiedostonimeä yritettäessä kirjoittaa laitteeseen {device}."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability.
\n"
-"View print quality guide
"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "Ei voitu tallentaa siirrettävälle asemalle {0}: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Tallennettu siirrettävälle asemalle {0} nimellä {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Tiedosto tallennettu"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Poista"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "Poista siirrettävä asema {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "Poistettu {0}. Voit nyt poistaa aseman turvallisesti."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Poista laite turvallisesti"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "Kohteen {0} poistaminen epäonnistui. Asema saattaa olla toisen ohjelman käytössä."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Cura 15.04 -profiilit"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Suositeltu"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Mukautettu"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is suddenly inaccessible: {1}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is corrupt: {1}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Suositeltu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Mukautettu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr "3MF-tiedosto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "3MF-tiedosto"
+msgid "Ultimaker Format Package"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Cura-projektin 3MF-tiedosto"
+msgid "G-code File"
+msgstr "GCode-tiedosto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
+msgid "Preview"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Kerrosnäkymä"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Käsitellään kerroksia"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Tiedot"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
msgstr "Viipalointi ei onnistu nykyisellä materiaalilla, sillä se ei sovellu käytettäväksi valitun laitteen tai kokoonpanon kanssa."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr "Viipalointi ei onnistu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice with the current settings. The following settings have errors: {0}"
msgstr "Viipalointi ei onnistu nykyisten asetuksien ollessa voimassa. Seuraavissa asetuksissa on virheitä: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid "Unable to slice because the prime tower or prime position(s) are invalid."
msgstr "Viipalointi ei onnistu, koska esitäyttötorni tai esitäytön sijainti tai sijainnit eivät kelpaa."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid "Unable to slice because there are objects associated with disabled Extruder %s."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -963,475 +1143,434 @@ msgid ""
"- Are not all set as modifier meshes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Käsitellään kerroksia"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Tiedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Cura-profiili"
+msgid "AMF File"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "USB-tulostus"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Tulosta USB:n kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Tulosta USB:n kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Yhdistetty USB:n kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "G-coden jäsennys"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "G-coden tiedot"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Varmista, että G-code on tulostimelle ja sen tulostusasetuksille soveltuva, ennen kuin lähetät tiedoston siihen. G-coden esitys ei välttämättä ole tarkka."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "G File -tiedosto"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "JPG-kuva"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "JPEG-kuva"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "PNG-kuva"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "BMP-kuva"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "GIF-kuva"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Tasaa alusta"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Valitse päivitykset"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr "Päivitystietoja ei löytynyt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "GCode-tiedosto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "G-coden jäsennys"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "G-coden tiedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Varmista, että G-code on tulostimelle ja sen tulostusasetuksille soveltuva, ennen kuin lähetät tiedoston siihen. G-coden esitys ei välttämättä ole tarkka."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "G File -tiedosto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "JPG-kuva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "JPEG-kuva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "PNG-kuva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "BMP-kuva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "GIF-kuva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Cura 15.04 -profiilit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Laitteen asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Mallikohtaiset asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Määritä mallikohtaiset asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Tallenna siirrettävälle asemalle"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Tallenna siirrettävälle asemalle {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Tallennetaan siirrettävälle asemalle {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Tallennetaan"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "Ei voitu tallentaa tiedostoon {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "Ei löydetty tiedostonimeä yritettäessä kirjoittaa laitteeseen {device}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "Ei voitu tallentaa siirrettävälle asemalle {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Tallennettu siirrettävälle asemalle {0} nimellä {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Tiedosto tallennettu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Poista"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "Poista siirrettävä asema {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "Poistettu {0}. Voit nyt poistaa aseman turvallisesti."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Poista laite turvallisesti"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "Kohteen {0} poistaminen epäonnistui. Asema saattaa olla toisen ohjelman käytössä."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Siirrettävä asema"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Kerrosnäkymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Kiinteä näkymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Lisäosan lisenssisopimus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Lisäosan lisenssisopimus"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
+msgid "Layer view"
+msgstr "Kerrosnäkymä"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Tulosta verkon kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Tulosta verkon kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
-msgstr "Tasaa alusta"
+msgid "Connect via Network"
+msgstr "Yhdistä verkon kautta"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Valitse päivitykset"
+msgid "Configure group"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1439,71 +1578,71 @@ msgid_plural "... and {0} others"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1515,776 +1654,1641 @@ msgid_plural ""
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be undone.\n"
"Are you sure you want to continue?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Kiinteä näkymä"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "3MF-tiedosto"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Cura-projektin 3MF-tiedosto"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability.
\n"
+"View print quality guide
"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Tulosta verkon kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Tulosta verkon kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Yhdistä verkon kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "USB-tulostus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Tulosta USB:n kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Tulosta USB:n kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Yhdistetty USB:n kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgid "Mesh Type"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "X3D-tiedosto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
-msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Kerrosnäkymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgid "Infill mesh only"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
+msgctxt "@item:inlistbox"
+msgid "Cutting mesh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
+msgctxt "@action:button"
+msgid "Select settings"
+msgstr "Valitse asetukset"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "Valitse tätä mallia varten mukautettavat asetukset"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Suodatin..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Näytä kaikki"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (leveys)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (syvyys)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (korkeus)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Alustan muoto"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X väh."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y väh."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X enint."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y enint."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Suulakkeiden määrä"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Suuttimen koko"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "Suuttimen X-siirtymä"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Suuttimen Y-siirtymä"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Tulostin"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
+msgid "Update Firmware"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+msgctxt "@label"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "Laiteohjelmisto on suoraan 3D-tulostimessa toimiva ohjelma. Laiteohjelmisto ohjaa askelmoottoreita, säätää lämpötilaa ja saa tulostimen toimimaan."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+msgctxt "@label"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "Uusien tulostimien mukana toimitettava laiteohjelmisto toimii, mutta uusissa versioissa on yleensä enemmän toimintoja ja parannuksia."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+msgctxt "@action:button"
+msgid "Automatically upgrade Firmware"
+msgstr "Päivitä laiteohjelmisto automaattisesti"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Lataa mukautettu laiteohjelmisto"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+msgctxt "@title:window"
+msgid "Select custom firmware"
+msgstr "Valitse mukautettu laiteohjelmisto"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+msgctxt "@title:window"
+msgid "Firmware Update"
+msgstr "Laiteohjelmiston päivitys"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+msgctxt "@label"
+msgid "Updating firmware."
+msgstr "Päivitetään laiteohjelmistoa."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+msgctxt "@label"
+msgid "Firmware update completed."
+msgstr "Laiteohjelmiston päivitys suoritettu."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+msgctxt "@label"
+msgid "Firmware update failed due to an unknown error."
+msgstr "Laiteohjelmiston päivitys epäonnistui tuntemattoman virheen takia."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "Laiteohjelmiston päivitys epäonnistui tietoliikennevirheen takia."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "Laiteohjelmiston päivitys epäonnistui tiedoston lukemiseen tai kirjoittamiseen liittyvän virheen takia."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "Laiteohjelmiston päivitys epäonnistui puuttuvan laiteohjelmiston takia."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Avaa projekti"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Yhteenveto – Cura-projekti"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Tulostimen asetukset"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "Miten laitteen ristiriita pitäisi ratkaista?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Tyyppi"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Profiilin asetukset"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "Miten profiilin ristiriita pitäisi ratkaista?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Nimi"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "Ei profiilissa"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
msgstr[0] "%1 ohitus"
msgstr[1] "%1 ohitusta"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Johdettu seuraavista"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
msgstr[0] "%1, %2 ohitus"
msgstr[1] "%1, %2 ohitusta"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Materiaaliasetukset"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "Miten materiaalin ristiriita pitäisi ratkaista?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Asetusten näkyvyys"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Tila"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Näkyvät asetukset:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1/%2"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Avaa"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
+msgid "Post Processing Plugin"
+msgstr "Jälkikäsittelylisäosa"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
+msgctxt "@label"
+msgid "Post Processing Scripts"
+msgstr "Jälkikäsittelykomentosarjat"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Lisää komentosarja"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
+msgctxt "@label"
+msgid "Settings"
+msgstr "Asetukset"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] ""
+msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
-msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "Laiteohjelmisto on suoraan 3D-tulostimessa toimiva ohjelma. Laiteohjelmisto ohjaa askelmoottoreita, säätää lämpötilaa ja saa tulostimen toimimaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
-msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "Uusien tulostimien mukana toimitettava laiteohjelmisto toimii, mutta uusissa versioissa on yleensä enemmän toimintoja ja parannuksia."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Päivitä laiteohjelmisto automaattisesti"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Lataa mukautettu laiteohjelmisto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Valitse mukautettu laiteohjelmisto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Laiteohjelmiston päivitys"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "Päivitetään laiteohjelmistoa."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Laiteohjelmiston päivitys suoritettu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "Laiteohjelmiston päivitys epäonnistui tuntemattoman virheen takia."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "Laiteohjelmiston päivitys epäonnistui tietoliikennevirheen takia."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "Laiteohjelmiston päivitys epäonnistui tiedoston lukemiseen tai kirjoittamiseen liittyvän virheen takia."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "Laiteohjelmiston päivitys epäonnistui puuttuvan laiteohjelmiston takia."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Muunna kuva..."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "Kunkin pikselin suurin etäisyys \"Pohja\"-arvosta."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Korkeus (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "Pohjan korkeus alustasta millimetreinä."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Pohja (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "Leveys millimetreinä alustalla."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Leveys (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "Syvyys millimetreinä alustalla"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Syvyys (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "Tummempi on korkeampi"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "Vaaleampi on korkeampi"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "Kuvassa käytettävän tasoituksen määrä."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Tasoitus"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
+msgctxt "@label"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Valitse tähän Ultimaker Original -laitteeseen tehdyt päivitykset"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
+msgctxt "@label"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Lämmitettävä alusta (virallinen sarja tai itse rakennettu)"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Alustan tasaaminen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+msgctxt "@label"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Voit säätää alustaa, jotta tulosteista tulisi hyviä. Kun napsautat \"Siirry seuraavaan positioon\", suutin siirtyy eri positioihin, joita voidaan säätää."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+msgctxt "@label"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Laita paperinpala kussakin positiossa suuttimen alle ja säädä tulostusalustan korkeus. Tulostusalustan korkeus on oikea, kun suuttimen kärki juuri ja juuri osuu paperiin."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Aloita alustan tasaaminen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Siirry seuraavaan positioon"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Asennettu"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Tulostin"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
+msgid "Plugins"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
-msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Suuttimen koko"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Materiaalit"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
-msgctxt "@label"
-msgid "mm"
-msgstr "mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
-msgctxt "@label"
-msgid "Compatible material diameter"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "Suuttimen X-siirtymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
-msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Suuttimen Y-siirtymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
-msgctxt "@label"
-msgid "Cooling Fan Number"
+msgid "Will install upon restarting"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (leveys)"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
-msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (syvyys)"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
-msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (korkeus)"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
-msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Alustan muoto"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
-msgctxt "@label"
-msgid "Origin at center"
+msgid "Community Contributions"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "Heated bed"
+msgid "Community Plugins"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
msgctxt "@label"
-msgid "Heated build volume"
+msgid "Generic Materials"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
-msgctxt "@label"
-msgid "G-code flavor"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
+msgctxt "@label"
+msgid "Website"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
msgctxt "@label"
-msgid "X min"
-msgstr "X väh."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
-msgctxt "@label"
-msgid "Y min"
-msgstr "Y väh."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
-msgctxt "@label"
-msgid "X max"
-msgstr "X enint."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
-msgctxt "@label"
-msgid "Y max"
-msgstr "Y enint."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
-msgctxt "@label"
-msgid "Gantry Height"
+msgid "Email"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Suulakkeiden määrä"
+msgid "Version"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
+msgid "Last updated"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
+msgctxt "@label"
+msgid "Brand"
+msgstr "Merkki"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
+msgctxt "@label"
+msgid "Downloads"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
+msgctxt "@label"
+msgid "You need to accept the license to install the package"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
+msgctxt "@label"
+msgid "The following packages will be added:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
+msgctxt "@label"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
+msgctxt "@label"
+msgid "Color scheme"
+msgstr "Värimalli"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Materiaalin väri"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Linjojen tyyppi"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
+msgctxt "@label"
+msgid "Compatibility Mode"
+msgstr "Yhteensopivuustila"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
+msgctxt "@label"
+msgid "Travels"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
+msgctxt "@label"
+msgid "Helpers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
+msgctxt "@label"
+msgid "Shell"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
+msgctxt "@label"
+msgid "Infill"
+msgstr "Täyttö"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
+msgctxt "@label"
+msgid "Starts"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
+msgctxt "@label"
+msgid "Only Show Top Layers"
+msgstr "Näytä vain yläkerrokset"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "Näytä 5 yksityiskohtaista kerrosta ylhäällä"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Yläosa/alaosa"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Sisäseinämä"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr "Tulostetaan"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "Jonossa"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Tulosta verkon kautta"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Tulosta"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Valmis"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Vaatii toimenpiteitä"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Yhdistä verkkotulostimeen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Muokkaa"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Poista"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Päivitä"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Jos tulostinta ei ole luettelossa, lue verkkotulostuksen vianetsintäopas"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Tyyppi"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Laiteohjelmistoversio"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Osoite"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "Tämän osoitteen tulostin ei ole vielä vastannut."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Yhdistä"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Tulostimen osoite"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Keskeytä tulostus"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2293,1485 +3297,433 @@ msgid ""
"- Check if you are signed in to discover cloud-connected printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Valitse asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "Valitse tätä mallia varten mukautettavat asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Suodatin..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Näytä kaikki"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Jälkikäsittelylisäosa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Jälkikäsittelykomentosarjat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Lisää komentosarja"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Värimalli"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Materiaalin väri"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Linjojen tyyppi"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
+msgid "3D View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Yhteensopivuustila"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Täyttö"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Näytä vain yläkerrokset"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "Näytä 5 yksityiskohtaista kerrosta ylhäällä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Yläosa/alaosa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Sisäseinämä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Asennettu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
+msgid "Front View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
+msgid "Object list"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Materiaalit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Merkki"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Alustan tasaaminen"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "Tie&dosto"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Voit säätää alustaa, jotta tulosteista tulisi hyviä. Kun napsautat \"Siirry seuraavaan positioon\", suutin siirtyy eri positioihin, joita voidaan säätää."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "&Muokkaa"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Laita paperinpala kussakin positiossa suuttimen alle ja säädä tulostusalustan korkeus. Tulostusalustan korkeus on oikea, kun suuttimen kärki juuri ja juuri osuu paperiin."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "&Näytä"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Aloita alustan tasaaminen"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Siirry seuraavaan positioon"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "Laa&jennukset"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Valitse tähän Ultimaker Original -laitteeseen tehdyt päivitykset"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "L&isäasetukset"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Lämmitettävä alusta (virallinen sarja tai itse rakennettu)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "&Ohje"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Yhdistä verkkotulostimeen"
+msgid "New project"
+msgstr "Uusi projekti"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "Haluatko varmasti aloittaa uuden projektin? Se tyhjentää alustan ja kaikki tallentamattomat asetukset."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Muokkaa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Poista"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Päivitä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Jos tulostinta ei ole luettelossa, lue verkkotulostuksen vianetsintäopas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Tyyppi"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Laiteohjelmistoversio"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Osoite"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "Tämän osoitteen tulostin ei ole vielä vastannut."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Yhdistä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Tulostimen osoite"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Keskeytä tulostus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr "Tulostetaan"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Valmis"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Vaatii toimenpiteitä"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "Jonossa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Tulosta verkon kautta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Tulosta"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Viipaloidaan..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Vaihda koko näyttöön"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "&Kumoa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "Tee &uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "&Lopeta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Määritä Curan asetukset..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "L&isää tulostin..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Tulostinten &hallinta..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Hallitse materiaaleja..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "&Päivitä nykyiset asetukset tai ohitukset profiiliin"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "&Hylkää tehdyt muutokset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "&Luo profiili nykyisten asetusten tai ohitusten perusteella..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Profiilien hallinta..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Näytä sähköinen &dokumentaatio"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "Ilmoita &virheestä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "Tietoja..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Poista malli"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "Ke&skitä malli alustalle"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "&Ryhmittele mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Poista mallien ryhmitys"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "&Yhdistä mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "&Kerro malli..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Valitse kaikki mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Tyhjennä tulostusalusta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Lataa kaikki mallit uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Järjestä kaikki mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Järjestä valinta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Määritä kaikkien mallien positiot uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Määritä kaikkien mallien muutokset uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "&Avaa tiedosto(t)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "&Uusi projekti..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Näytä määrityskansio"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Määritä asetusten näkyvyys..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
+msgid "Time estimation"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "Yleiset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Tulostimet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Profiilit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Avaa tiedosto(t)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Avaa tiedosto(t)"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "Löysimme vähintään yhden Gcode-tiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden Gcode-tiedoston kerrallaan. Jos haluat avata Gcode-tiedoston, valitse vain yksi."
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
-msgstr "Lisää tulostin"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
msgid "What's New"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Kokonaisvaltainen sulatettavan tulostuslangan 3D-tulostusratkaisu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
@@ -3780,183 +3732,204 @@ msgstr ""
"Cura-ohjelman on kehittänyt Ultimaker B.V. yhteistyössä käyttäjäyhteisön kanssa.\n"
"Cura hyödyntää seuraavia avoimeen lähdekoodiin perustuvia projekteja:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Graafinen käyttöliittymä"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Sovelluskehys"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Prosessien välinen tietoliikennekirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Ohjelmointikieli"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "GUI-kehys"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "GUI-kehyksen sidonnat"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "C/C++ -sidontakirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Data Interchange Format"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Tieteellisen laskennan tukikirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Nopeamman laskennan tukikirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "STL-tiedostojen käsittelyn tukikirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Tukikirjasto 3MF-tiedostojen käsittelyyn"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Sarjatietoliikennekirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "ZeroConf-etsintäkirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Monikulmion leikkauskirjasto"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Fontti"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "SVG-kuvakkeet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Avaa projektitiedosto"
+msgid "Open file(s)"
+msgstr "Avaa tiedosto(t)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Löysimme vähintään yhden projektitiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden projektitiedoston kerrallaan. Suosittelemme, että tuot vain malleja niistä tiedostoista. Haluatko jatkaa?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Muista valintani"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Avaa projektina"
+msgid "Import all as models"
+msgstr "Tuo kaikki malleina"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Tallenna projekti"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Suulake %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 & materiaali"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "Älä näytä projektin yhteenvetoa tallennettaessa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Tuo mallit"
+msgid "Save"
+msgstr "Tallenna"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Hylkää tai säilytä muutokset"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -3964,1251 +3937,144 @@ msgid ""
"Alternatively, you can discard the changes to load the defaults from '%1'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Profiilin asetukset"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Kysy aina"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Hylkää äläkä kysy uudelleen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Säilytä äläkä kysy uudelleen"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Avaa projektitiedosto"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Löysimme vähintään yhden projektitiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden projektitiedoston kerrallaan. Suosittelemme, että tuot vain malleja niistä tiedostoista. Haluatko jatkaa?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Tämä on Cura-projektitiedosto. Haluatko avata sen projektina vai tuoda siinä olevat mallit?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Muista valintani"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Tuo kaikki malleina"
+msgid "Open as project"
+msgstr "Avaa projektina"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Tallenna projekti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Suulake %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 & materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "Älä näytä projektin yhteenvetoa tallennettaessa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Tallenna"
+msgid "Import models"
+msgstr "Tuo mallit"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Tulosta valittu malli asetuksella %1"
-msgstr[1] "Tulosta valitut mallit asetuksella %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "Tie&dosto"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "&Muokkaa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "&Näytä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "Laa&jennukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "L&isäasetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "&Ohje"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Uusi projekti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "Haluatko varmasti aloittaa uuden projektin? Se tyhjentää alustan ja kaikki tallentamattomat asetukset."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Tulosta valittu malli asetuksella:"
-msgstr[1] "Tulosta valitut mallit asetuksella:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Kerro valittu malli"
-msgstr[1] "Kerro valitut mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Kopioiden määrä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "Avaa &viimeisin"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "&Tulostin"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Aseta aktiiviseksi suulakepuristimeksi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "Ei yhteyttä tulostimeen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "Tulostin ei hyväksy komentoja"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "Huolletaan. Tarkista tulostin"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Yhteys tulostimeen menetetty"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Tulostetaan..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "Keskeytetty"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Valmistellaan..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Poista tuloste"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "Haluatko varmasti keskeyttää tulostuksen?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Käyttöliittymä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Valuutta:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Teema:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "Sovellus on käynnistettävä uudelleen, jotta nämä muutokset tulevat voimaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Viipaloi automaattisesti, kun asetuksia muutetaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Viipaloi automaattisesti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "Näyttöikkunan käyttäytyminen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Korosta mallin vailla tukea olevat alueet punaisella. Ilman tukea nämä alueet eivät tulostu kunnolla."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Näytä uloke"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "Siirtää kameraa siten, että valittuna oleva malli on näkymän keskellä."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Keskitä kamera kun kohde on valittu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "Pitääkö Curan oletusarvoinen zoom-toimintatapa muuttaa päinvastaiseksi?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Käännä kameran zoomin suunta päinvastaiseksi."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "Tuleeko zoomauksen siirtyä hiiren suuntaan?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "Zoomaa hiiren suuntaan"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "Pitäisikö alustalla olevia malleja siirtää niin, etteivät ne enää leikkaa toisiaan?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "Varmista, että mallit ovat erillään"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "Pitäisikö tulostusalueella olevia malleja siirtää alas niin, että ne koskettavat tulostusalustaa?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Pudota mallit automaattisesti alustalle"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "Pakotetaanko kerros yhteensopivuustilaan?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "Pakota kerrosnäkymän yhteensopivuustila (vaatii uudelleenkäynnistyksen)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Tiedostojen avaaminen ja tallentaminen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "Pitäisikö mallit skaalata tulostustilavuuteen, jos ne ovat liian isoja?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Skaalaa suuret mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Malli voi vaikuttaa erittäin pieneltä, jos sen koko on ilmoitettu esimerkiksi metreissä eikä millimetreissä. Pitäisikö nämä mallit suurentaa?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Skaalaa erittäin pienet mallit"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "Pitäisikö tulostustyön nimeen lisätä automaattisesti tulostimen nimeen perustuva etuliite?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Lisää laitteen etuliite työn nimeen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "Näytetäänkö yhteenveto, kun projektitiedosto tallennetaan?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Näytä yhteenvetoikkuna, kun projekti tallennetaan"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Projektitiedoston avaamisen oletustoimintatapa"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Projektitiedoston avaamisen oletustoimintatapa: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Avaa aina projektina"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Tuo mallit aina"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Kun olet tehnyt muutokset profiiliin ja vaihtanut toiseen, näytetään valintaikkuna, jossa kysytään, haluatko säilyttää vai hylätä muutokset. Tässä voit myös valita oletuskäytöksen, jolloin valintaikkunaa ei näytetä uudelleen."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Tietosuoja"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "Pitäisikö anonyymejä tietoja tulosteesta lähettää Ultimakerille? Huomaa, että malleja, IP-osoitteita tai muita henkilökohtaisia tietoja ei lähetetä eikä tallenneta."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "Lähetä (anonyymit) tulostustiedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "Pitäisikö Curan tarkistaa saatavilla olevat päivitykset, kun ohjelma käynnistetään?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Tarkista päivitykset käynnistettäessä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Aktivoi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Nimeä uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Luo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Jäljennös"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Tuo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Vie"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Tuo materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "Materiaalin tuominen epäonnistui: %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "Materiaalin tuominen onnistui: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Vie materiaali"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Materiaalin vieminen epäonnistui kohteeseen %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "Materiaalin vieminen onnistui kohteeseen %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Tiedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Näytä nimi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Materiaalin tyyppi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Väri"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Ominaisuudet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Tiheys"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Läpimitta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Tulostuslangan hinta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Tulostuslangan paino"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Tulostuslangan pituus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Hinta metriä kohden"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Materiaali on linkitetty kohteeseen %1 ja niillä on joitain samoja ominaisuuksia."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Poista materiaalin linkitys"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Kuvaus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Tarttuvuustiedot"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Tulostusasetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Luo"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Jäljennös"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Luo profiili"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Monista profiili"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Nimeä profiili uudelleen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Profiilin tuonti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Profiilin vienti"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Tulostin: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Päivitä nykyiset asetukset tai ohitukset profiiliin"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "Hylkää tehdyt muutokset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Tässä profiilissa käytetään tulostimen oletusarvoja, joten siinä ei ole alla olevan listan asetuksia tai ohituksia."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Nykyiset asetukset vastaavat valittua profiilia."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Yleiset asetukset"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Laskettu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Asetus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Profiili"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Nykyinen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Yksikkö"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Näkyvyyden asettaminen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Tarkista kaikki"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Suulake"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "Kuuman pään kohdelämpötila. Kuuma pää lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, kuuman pään lämmitys sammutetaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Peruuta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Esilämmitä"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Tämän suulakkeen materiaalin väri."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Tämän suulakkeen materiaali."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "Tähän suulakkeeseen liitetty suutin."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Alusta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "Lämmitettävän pöydän kohdelämpötila. Pöytä lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, pöydän lämmitys sammutetaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "Lämmitettävän pöydän nykyinen lämpötila."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "Lämmitettävän pöydän esilämmityslämpötila."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "Lämmitä pöytä ennen tulostusta. Voit edelleen säätää tulostinta sen lämmitessä, eikä sinun tarvitse odottaa pöydän lämpiämistä, kun olet valmis tulostamaan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "Tulostinta ei ole yhdistetty."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Aktiivinen tulostustyö"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Työn nimi"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Tulostusaika"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Aikaa jäljellä arviolta"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Tulostusasetukset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5219,120 +4085,1700 @@ msgstr ""
"\n"
"Avaa profiilin hallinta napsauttamalla."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "Hylkää tehdyt muutokset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
+msgid "Profiles"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Ota reunuksen tai pohjaristikon tulostus käyttöön. Tämä lisää kappaleen ympärille tai alle tasaisen alueen, joka on helppo leikata pois myöhemmin."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "Asteittainen täyttö lisää täytön tiheyttä vähitellen yläosaa kohti."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "Muodosta rakenteita, jotka tukevat mallin ulokkeita sisältäviä osia. Ilman tukirakenteita kyseiset osat luhistuvat tulostuksen aikana."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
+msgid "Gradual infill"
msgstr ""
-"Jotkin piilotetut asetukset käyttävät arvoja, jotka eroavat normaaleista lasketuista arvoista.\n"
-"\n"
-"Tee asetuksista näkyviä napsauttamalla."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "Asteittainen täyttö lisää täytön tiheyttä vähitellen yläosaa kohti."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Ota reunuksen tai pohjaristikon tulostus käyttöön. Tämä lisää kappaleen ympärille tai alle tasaisen alueen, joka on helppo leikata pois myöhemmin."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Tulosta valittu malli asetuksella:"
+msgstr[1] "Tulosta valitut mallit asetuksella:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Kerro valittu malli"
+msgstr[1] "Kerro valitut mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Kopioiden määrä"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Materiaali"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "&Tulostin"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Materiaali"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Aseta aktiiviseksi suulakepuristimeksi"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "Avaa &viimeisin"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Profiilit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Aktivoi"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Luo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Jäljennös"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Nimeä uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Tuo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Vie"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Luo profiili"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Monista profiili"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Nimeä profiili uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Profiilin tuonti"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Profiilin vienti"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Tulostin: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Päivitä nykyiset asetukset tai ohitukset profiiliin"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Tässä profiilissa käytetään tulostimen oletusarvoja, joten siinä ei ole alla olevan listan asetuksia tai ohituksia."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Nykyiset asetukset vastaavat valittua profiilia."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Yleiset asetukset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "Yleiset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Käyttöliittymä"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Valuutta:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Teema:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "Sovellus on käynnistettävä uudelleen, jotta nämä muutokset tulevat voimaan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Viipaloi automaattisesti, kun asetuksia muutetaan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Viipaloi automaattisesti"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "Näyttöikkunan käyttäytyminen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Korosta mallin vailla tukea olevat alueet punaisella. Ilman tukea nämä alueet eivät tulostu kunnolla."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Näytä uloke"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "Siirtää kameraa siten, että valittuna oleva malli on näkymän keskellä."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Keskitä kamera kun kohde on valittu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "Pitääkö Curan oletusarvoinen zoom-toimintatapa muuttaa päinvastaiseksi?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Käännä kameran zoomin suunta päinvastaiseksi."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "Tuleeko zoomauksen siirtyä hiiren suuntaan?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "Zoomaa hiiren suuntaan"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "Pitäisikö alustalla olevia malleja siirtää niin, etteivät ne enää leikkaa toisiaan?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "Varmista, että mallit ovat erillään"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "Pitäisikö tulostusalueella olevia malleja siirtää alas niin, että ne koskettavat tulostusalustaa?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Pudota mallit automaattisesti alustalle"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "Pakotetaanko kerros yhteensopivuustilaan?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "Pakota kerrosnäkymän yhteensopivuustila (vaatii uudelleenkäynnistyksen)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Tiedostojen avaaminen ja tallentaminen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "Pitäisikö mallit skaalata tulostustilavuuteen, jos ne ovat liian isoja?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Skaalaa suuret mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Malli voi vaikuttaa erittäin pieneltä, jos sen koko on ilmoitettu esimerkiksi metreissä eikä millimetreissä. Pitäisikö nämä mallit suurentaa?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Skaalaa erittäin pienet mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "Pitäisikö tulostustyön nimeen lisätä automaattisesti tulostimen nimeen perustuva etuliite?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Lisää laitteen etuliite työn nimeen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "Näytetäänkö yhteenveto, kun projektitiedosto tallennetaan?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Näytä yhteenvetoikkuna, kun projekti tallennetaan"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Projektitiedoston avaamisen oletustoimintatapa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Projektitiedoston avaamisen oletustoimintatapa: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Avaa aina projektina"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Tuo mallit aina"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Kun olet tehnyt muutokset profiiliin ja vaihtanut toiseen, näytetään valintaikkuna, jossa kysytään, haluatko säilyttää vai hylätä muutokset. Tässä voit myös valita oletuskäytöksen, jolloin valintaikkunaa ei näytetä uudelleen."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Tietosuoja"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "Pitäisikö anonyymejä tietoja tulosteesta lähettää Ultimakerille? Huomaa, että malleja, IP-osoitteita tai muita henkilökohtaisia tietoja ei lähetetä eikä tallenneta."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "Lähetä (anonyymit) tulostustiedot"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "Pitäisikö Curan tarkistaa saatavilla olevat päivitykset, kun ohjelma käynnistetään?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Tarkista päivitykset käynnistettäessä"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Tiedot"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Näytä nimi"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Materiaalin tyyppi"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Väri"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Ominaisuudet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Tiheys"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Läpimitta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Tulostuslangan hinta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Tulostuslangan paino"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Tulostuslangan pituus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Hinta metriä kohden"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Materiaali on linkitetty kohteeseen %1 ja niillä on joitain samoja ominaisuuksia."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Poista materiaalin linkitys"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Kuvaus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Tarttuvuustiedot"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Luo"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Jäljennös"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Tuo materiaali"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "Materiaalin tuominen epäonnistui: %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "Materiaalin tuominen onnistui: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Vie materiaali"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to %1: %2"
+msgstr "Materiaalin vieminen epäonnistui kohteeseen %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr "Materiaalin vieminen onnistui kohteeseen %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid "Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt "@text In the UI this is followed by a list of steps the user needs to take."
+msgid "Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr "Näkyvyyden asettaminen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr "Tarkista kaikki"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr "Tulostimet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr "Laskettu"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr "Asetus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr "Profiili"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr "Nykyinen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr "Yksikkö"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr "Ei yhteyttä tulostimeen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr "Tulostin ei hyväksy komentoja"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr "Huolletaan. Tarkista tulostin"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr "Yhteys tulostimeen menetetty"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr "Tulostetaan..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr "Keskeytetty"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr "Valmistellaan..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr "Poista tuloste"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr "Haluatko varmasti keskeyttää tulostuksen?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] "Tulosta valittu malli asetuksella %1"
+msgstr[1] "Tulosta valitut mallit asetuksella %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr "Suulake"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr "Kuuman pään kohdelämpötila. Kuuma pää lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, kuuman pään lämmitys sammutetaan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr "Peruuta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr "Esilämmitä"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr "Tämän suulakkeen materiaalin väri."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr "Tämän suulakkeen materiaali."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr "Tähän suulakkeeseen liitetty suutin."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr "Tulostinta ei ole yhdistetty."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr "Alusta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
+msgstr "Lämmitettävän pöydän kohdelämpötila. Pöytä lämpenee tai viilenee kohti tätä lämpötilaa. Jos asetus on 0, pöydän lämmitys sammutetaan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr "Lämmitettävän pöydän nykyinen lämpötila."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr "Lämmitettävän pöydän esilämmityslämpötila."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
+msgstr "Lämmitä pöytä ennen tulostusta. Voit edelleen säätää tulostinta sen lämmitessä, eikä sinun tarvitse odottaa pöydän lämpiämistä, kun olet valmis tulostamaan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr "Vaihda koko näyttöön"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr "&Kumoa"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr "Tee &uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr "&Lopeta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr "Määritä Curan asetukset..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr "L&isää tulostin..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr "Tulostinten &hallinta..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr "Hallitse materiaaleja..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr "&Päivitä nykyiset asetukset tai ohitukset profiiliin"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr "&Hylkää tehdyt muutokset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr "&Luo profiili nykyisten asetusten tai ohitusten perusteella..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr "Profiilien hallinta..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr "Näytä sähköinen &dokumentaatio"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr "Ilmoita &virheestä"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr "Tietoja..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr "Poista malli"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr "Ke&skitä malli alustalle"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr "&Ryhmittele mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr "Poista mallien ryhmitys"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr "&Yhdistä mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr "&Kerro malli..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr "Valitse kaikki mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr "Tyhjennä tulostusalusta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr "Lataa kaikki mallit uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr "Järjestä kaikki mallit"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr "Järjestä valinta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr "Määritä kaikkien mallien positiot uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr "Määritä kaikkien mallien muutokset uudelleen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr "&Avaa tiedosto(t)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr "&Uusi projekti..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr "Näytä määrityskansio"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr "Määritä asetusten näkyvyys..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid "This setting is not used because all the settings that it influences are overridden."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr "Koskee seuraavia:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr "Riippuu seuraavista:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5343,7 +5789,7 @@ msgstr ""
"\n"
"Palauta profiilin arvo napsauttamalla."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value set.\n"
@@ -5354,507 +5800,93 @@ msgstr ""
"\n"
"Palauta laskettu arvo napsauttamalla."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr "Kopioi arvo kaikkiin suulakepuristimiin"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr "Piilota tämä asetus"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr "Älä näytä tätä asetusta"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr "Pidä tämä asetus näkyvissä"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
-msgid "View type"
+msgid ""
+"Some hidden settings use values different from their normal calculated value.\n"
+"\n"
+"Click to make these settings visible."
msgstr ""
+"Jotkin piilotetut asetukset käyttävät arvoja, jotka eroavat normaaleista lasketuista arvoista.\n"
+"\n"
+"Tee asetuksista näkyviä napsauttamalla."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
-msgid "Add a Cloud printer"
+msgid "This package will be installed after restarting."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
+msgstr "Asetukset"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
+msgstr "Avaa tiedosto(t)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
+msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
+msgstr "Löysimme vähintään yhden Gcode-tiedoston valitsemiesi tiedostojen joukosta. Voit avata vain yhden Gcode-tiedoston kerrallaan. Jos haluat avata Gcode-tiedoston, valitse vain yksi."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
+msgstr "Lisää tulostin"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
-msgctxt "@label"
-msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
-msgctxt "@label"
-msgid "Release Notes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
-msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid "Data collected by Ultimaker Cura will not contain any personal information."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
-msgctxt "@label"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr ""
-
-#: ModelChecker/plugin.json
-msgctxt "description"
-msgid "Checks models and print configuration for possible printing issues and give suggestions."
-msgstr ""
-
-#: ModelChecker/plugin.json
-msgctxt "name"
-msgid "Model Checker"
-msgstr ""
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr "Tukee 3MF-tiedostojen lukemista."
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr "3MF-lukija"
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr "Tukee 3MF-tiedostojen kirjoittamista."
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr "3MF-kirjoitin"
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr ""
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr ""
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr ""
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr ""
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr "Linkki CuraEngine-viipalointiin taustalla."
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
-msgstr "CuraEngine-taustaosa"
-
-#: CuraProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing Cura profiles."
-msgstr "Tukee Cura-profiilien tuontia."
-
-#: CuraProfileReader/plugin.json
-msgctxt "name"
-msgid "Cura Profile Reader"
-msgstr "Cura-profiilin lukija"
-
-#: CuraProfileWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
-msgstr "Tukee Cura-profiilien vientiä."
-
-#: CuraProfileWriter/plugin.json
-msgctxt "name"
-msgid "Cura Profile Writer"
-msgstr "Cura-profiilin kirjoitin"
-
-#: DigitalLibrary/plugin.json
-msgctxt "description"
-msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
-msgstr ""
-
-#: DigitalLibrary/plugin.json
-msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr ""
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr "Tarkistaa laiteohjelmistopäivitykset."
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr "Laiteohjelmiston päivitysten tarkistus"
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr ""
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr ""
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr ""
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr ""
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr ""
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr ""
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr "Tukee profiilien tuontia GCode-tiedostoista."
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr ""
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr "Mahdollistaa GCode-tiedostojen lataamisen ja näyttämisen."
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr "GCode-lukija"
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr ""
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr ""
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista."
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr "Kuvanlukija"
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr "Tukee profiilien tuontia aikaisemmista Cura-versioista."
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
-msgstr "Aikaisempien Cura-profiilien lukija"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "description"
-msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
-msgstr ""
-
-#: MachineSettingsAction/plugin.json
-msgctxt "name"
-msgid "Machine Settings Action"
-msgstr ""
-
-#: MonitorStage/plugin.json
-msgctxt "description"
-msgid "Provides a monitor stage in Cura."
-msgstr ""
-
-#: MonitorStage/plugin.json
-msgctxt "name"
-msgid "Monitor Stage"
-msgstr ""
-
#: PerObjectSettingsTool/plugin.json
msgctxt "description"
msgid "Provides the Per Model Settings."
@@ -5865,34 +5897,54 @@ msgctxt "name"
msgid "Per Model Settings Tool"
msgstr "Mallikohtaisten asetusten työkalu"
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr "Lisäosa, jonka avulla käyttäjät voivat luoda komentosarjoja jälkikäsittelyä varten"
+msgid "Provides support for importing Cura profiles."
+msgstr "Tukee Cura-profiilien tuontia."
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "name"
-msgid "Post Processing"
-msgstr "Jälkikäsittely"
+msgid "Cura Profile Reader"
+msgstr "Cura-profiilin lukija"
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides a prepare stage in Cura."
+msgid "Provides support for reading X3D files."
+msgstr "Tukee X3D-tiedostojen lukemista."
+
+#: X3DReader/plugin.json
+msgctxt "name"
+msgid "X3D Reader"
+msgstr "X3D-lukija"
+
+#: CuraDrive/plugin.json
+msgctxt "description"
+msgid "Backup and restore your configuration."
msgstr ""
-#: PrepareStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Prepare Stage"
+msgid "Cura Backups"
msgstr ""
-#: PreviewStage/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "description"
-msgid "Provides a preview stage in Cura."
+msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
msgstr ""
-#: PreviewStage/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "name"
-msgid "Preview Stage"
+msgid "Machine Settings Action"
+msgstr ""
+
+#: SupportEraser/plugin.json
+msgctxt "description"
+msgid "Creates an eraser mesh to block the printing of support in certain places"
+msgstr ""
+
+#: SupportEraser/plugin.json
+msgctxt "name"
+msgid "Support Eraser"
msgstr ""
#: RemovableDriveOutputDevice/plugin.json
@@ -5905,6 +5957,46 @@ msgctxt "name"
msgid "Removable Drive Output Device Plugin"
msgstr "Irrotettavan aseman tulostusvälineen laajennus"
+#: FirmwareUpdater/plugin.json
+msgctxt "description"
+msgid "Provides a machine actions for updating firmware."
+msgstr ""
+
+#: FirmwareUpdater/plugin.json
+msgctxt "name"
+msgid "Firmware Updater"
+msgstr ""
+
+#: LegacyProfileReader/plugin.json
+msgctxt "description"
+msgid "Provides support for importing profiles from legacy Cura versions."
+msgstr "Tukee profiilien tuontia aikaisemmista Cura-versioista."
+
+#: LegacyProfileReader/plugin.json
+msgctxt "name"
+msgid "Legacy Cura Profile Reader"
+msgstr "Aikaisempien Cura-profiilien lukija"
+
+#: 3MFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading 3MF files."
+msgstr "Tukee 3MF-tiedostojen lukemista."
+
+#: 3MFReader/plugin.json
+msgctxt "name"
+msgid "3MF Reader"
+msgstr "3MF-lukija"
+
+#: UFPWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing Ultimaker Format Packages."
+msgstr ""
+
+#: UFPWriter/plugin.json
+msgctxt "name"
+msgid "UFP Writer"
+msgstr ""
+
#: SentryLogger/plugin.json
msgctxt "description"
msgid "Logs certain events so that they can be used by the crash reporter"
@@ -5915,16 +6007,156 @@ msgctxt "name"
msgid "Sentry Logger"
msgstr ""
-#: SimulationView/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "description"
-msgid "Provides the Simulation view."
+msgid "Provides support for importing profiles from g-code files."
+msgstr "Tukee profiilien tuontia GCode-tiedostoista."
+
+#: GCodeProfileReader/plugin.json
+msgctxt "name"
+msgid "G-code Profile Reader"
msgstr ""
-#: SimulationView/plugin.json
-msgctxt "name"
-msgid "Simulation View"
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
msgstr ""
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr ""
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr "Näyttää kerrosnäkymän."
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr "Kerrosnäkymä"
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr "Linkki CuraEngine-viipalointiin taustalla."
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr "CuraEngine-taustaosa"
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr ""
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr ""
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr ""
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr ""
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr "Lisäosa, jonka avulla käyttäjät voivat luoda komentosarjoja jälkikäsittelyä varten"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr "Jälkikäsittely"
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr "Tukee Cura-profiilien vientiä."
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr "Cura-profiilin kirjoitin"
+
+#: USBPrinting/plugin.json
+msgctxt "description"
+msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware."
+msgstr "Hyväksyy GCode-määrittelyt ja lähettää ne tulostimeen. Lisäosa voi myös päivittää laiteohjelmiston."
+
+#: USBPrinting/plugin.json
+msgctxt "name"
+msgid "USB printing"
+msgstr "USB-tulostus"
+
+#: PrepareStage/plugin.json
+msgctxt "description"
+msgid "Provides a prepare stage in Cura."
+msgstr ""
+
+#: PrepareStage/plugin.json
+msgctxt "name"
+msgid "Prepare Stage"
+msgstr ""
+
+#: GCodeReader/plugin.json
+msgctxt "description"
+msgid "Allows loading and displaying G-code files."
+msgstr "Mahdollistaa GCode-tiedostojen lataamisen ja näyttämisen."
+
+#: GCodeReader/plugin.json
+msgctxt "name"
+msgid "G-code Reader"
+msgstr "GCode-lukija"
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr "Mahdollistaa tulostettavien geometrioiden luomisen 2D-kuvatiedostoista."
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr "Kuvanlukija"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "description"
+msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
+msgstr ""
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "name"
+msgid "Ultimaker machine actions"
+msgstr "Ultimaker-laitteen toiminnot"
+
+#: GCodeGzWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a compressed archive."
+msgstr ""
+
+#: GCodeGzWriter/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Writer"
+msgstr ""
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr "Tarkistaa laiteohjelmistopäivitykset."
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr "Laiteohjelmiston päivitysten tarkistus"
+
#: SliceInfoPlugin/plugin.json
msgctxt "description"
msgid "Submits anonymous slice info. Can be disabled through preferences."
@@ -5935,24 +6167,24 @@ msgctxt "name"
msgid "Slice info"
msgstr "Viipalointitiedot"
-#: SolidView/plugin.json
+#: XmlMaterialProfile/plugin.json
msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr "Näyttää normaalin kiinteän verkkonäkymän."
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen."
-#: SolidView/plugin.json
+#: XmlMaterialProfile/plugin.json
msgctxt "name"
-msgid "Solid View"
-msgstr "Kiinteä näkymä"
+msgid "Material Profiles"
+msgstr "Materiaaliprofiilit"
-#: SupportEraser/plugin.json
+#: DigitalLibrary/plugin.json
msgctxt "description"
-msgid "Creates an eraser mesh to block the printing of support in certain places"
+msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
msgstr ""
-#: SupportEraser/plugin.json
+#: DigitalLibrary/plugin.json
msgctxt "name"
-msgid "Support Eraser"
+msgid "Ultimaker Digital Library"
msgstr ""
#: Toolbox/plugin.json
@@ -5965,86 +6197,36 @@ msgctxt "name"
msgid "Toolbox"
msgstr ""
-#: TrimeshReader/plugin.json
+#: GCodeWriter/plugin.json
msgctxt "description"
-msgid "Provides support for reading model files."
+msgid "Writes g-code to a file."
msgstr ""
-#: TrimeshReader/plugin.json
+#: GCodeWriter/plugin.json
msgctxt "name"
-msgid "Trimesh Reader"
+msgid "G-code Writer"
msgstr ""
-#: UFPReader/plugin.json
+#: SimulationView/plugin.json
msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
+msgid "Provides the Simulation view."
msgstr ""
-#: UFPReader/plugin.json
+#: SimulationView/plugin.json
msgctxt "name"
-msgid "UFP Reader"
+msgid "Simulation View"
msgstr ""
-#: UFPWriter/plugin.json
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
msgctxt "description"
-msgid "Provides support for writing Ultimaker Format Packages."
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
msgstr ""
-#: UFPWriter/plugin.json
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
msgctxt "name"
-msgid "UFP Writer"
+msgid "Version Upgrade 4.5 to 4.6"
msgstr ""
-#: UltimakerMachineActions/plugin.json
-msgctxt "description"
-msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
-msgstr ""
-
-#: UltimakerMachineActions/plugin.json
-msgctxt "name"
-msgid "Ultimaker machine actions"
-msgstr "Ultimaker-laitteen toiminnot"
-
-#: UM3NetworkPrinting/plugin.json
-msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
-msgstr ""
-
-#: UM3NetworkPrinting/plugin.json
-msgctxt "name"
-msgid "Ultimaker Network Connection"
-msgstr ""
-
-#: USBPrinting/plugin.json
-msgctxt "description"
-msgid "Accepts G-Code and sends them to a printer. Plugin can also update firmware."
-msgstr "Hyväksyy GCode-määrittelyt ja lähettää ne tulostimeen. Lisäosa voi myös päivittää laiteohjelmiston."
-
-#: USBPrinting/plugin.json
-msgctxt "name"
-msgid "USB printing"
-msgstr "USB-tulostus"
-
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
-msgstr "Päivittää kokoonpanon versiosta Cura 2.1 versioon Cura 2.2."
-
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
-msgstr "Päivitys versiosta 2.1 versioon 2.2"
-
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
-msgstr "Päivittää kokoonpanon versiosta Cura 2.2 versioon Cura 2.4."
-
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
-msgstr "Päivitys versiosta 2.2 versioon 2.4"
-
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 2.5 to Cura 2.6."
@@ -6055,54 +6237,24 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr "Päivitys versiosta 2.5 versioon 2.6"
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
-msgstr "Päivittää kokoonpanon versiosta Cura 2.6 versioon Cura 2.7."
-
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
-msgstr "Päivitys versiosta 2.6 versioon 2.7"
-
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
-msgstr "Päivittää kokoonpanon versiosta Cura 2.7 versioon Cura 3.0."
-
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr "Päivitys versiosta 2.7 versioon 3.0"
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
msgstr ""
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
msgstr ""
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
msgstr ""
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
msgstr ""
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
@@ -6115,44 +6267,44 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr ""
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
-msgstr ""
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgstr "Päivittää kokoonpanon versiosta Cura 2.1 versioon Cura 2.2."
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
-msgstr ""
+msgid "Version Upgrade 2.1 to 2.2"
+msgstr "Päivitys versiosta 2.1 versioon 2.2"
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
msgstr ""
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
msgstr ""
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
msgstr ""
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
+msgid "Version Upgrade 4.8 to 4.9"
msgstr ""
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
msgstr ""
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
msgstr ""
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
@@ -6175,66 +6327,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr ""
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr ""
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr ""
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6245,35 +6337,175 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr ""
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
-msgstr "Tukee X3D-tiedostojen lukemista."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgstr "Päivittää kokoonpanon versiosta Cura 2.7 versioon Cura 3.0."
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
-msgstr "X3D-lukija"
+msgid "Version Upgrade 2.7 to 3.0"
+msgstr "Päivitys versiosta 2.7 versioon 3.0"
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
-msgstr "Mahdollistaa XML-pohjaisten materiaaliprofiilien lukemisen ja kirjoittamisen."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgstr "Päivittää kokoonpanon versiosta Cura 2.6 versioon Cura 2.7."
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
-msgstr "Materiaaliprofiilit"
+msgid "Version Upgrade 2.6 to 2.7"
+msgstr "Päivitys versiosta 2.6 versioon 2.7"
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
-msgstr "Näyttää kerrosnäkymän."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgstr ""
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
-msgstr "Kerrosnäkymä"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr "Päivittää kokoonpanon versiosta Cura 2.2 versioon Cura 2.4."
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr "Päivitys versiosta 2.2 versioon 2.4"
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr ""
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr ""
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr ""
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr ""
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr ""
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr ""
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr ""
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr ""
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr "Näyttää normaalin kiinteän verkkonäkymän."
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr "Kiinteä näkymä"
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr "Tukee 3MF-tiedostojen kirjoittamista."
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr "3MF-kirjoitin"
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr ""
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr ""
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid "Checks models and print configuration for possible printing issues and give suggestions."
+msgstr ""
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
+msgstr ""
#~ msgctxt "@info:title The %s gets replaced with the printer name."
#~ msgid "New %s firmware available"
diff --git a/resources/i18n/fi_FI/fdmextruder.def.json.po b/resources/i18n/fi_FI/fdmextruder.def.json.po
index 1b0dcc4df5..a814af04d4 100644
--- a/resources/i18n/fi_FI/fdmextruder.def.json.po
+++ b/resources/i18n/fi_FI/fdmextruder.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: 2017-08-11 14:31+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: Finnish\n"
diff --git a/resources/i18n/fi_FI/fdmprinter.def.json.po b/resources/i18n/fi_FI/fdmprinter.def.json.po
index 6837efae07..ba8d2db2c2 100644
--- a/resources/i18n/fi_FI/fdmprinter.def.json.po
+++ b/resources/i18n/fi_FI/fdmprinter.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: 2017-09-27 12:27+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: Finnish\n"
@@ -149,6 +149,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr "Tulostettavan alueen syvyys (Y-suunta)."
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr "Laitteen korkeus"
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr "Tulostettavan alueen korkeus (Z-suunta)."
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -189,16 +199,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr ""
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr "Laitteen korkeus"
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr "Tulostettavan alueen korkeus (Z-suunta)."
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -556,8 +556,8 @@ msgstr "Z-suunnan moottorin maksiminopeus."
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
-msgstr "Maksimisyöttönopeus"
+msgid "Maximum Speed E"
+msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e description"
@@ -1726,7 +1726,7 @@ msgstr "Täyttökuvio"
#: fdmprinter.def.json
msgctxt "infill_pattern description"
-msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -2038,7 +2038,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
@@ -2048,7 +2048,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
@@ -6472,6 +6472,10 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Mallissa käytettävä muunnosmatriisi, kun malli ladataan tiedostosta."
+#~ msgctxt "machine_max_feedrate_e label"
+#~ msgid "Maximum Feedrate"
+#~ msgstr "Maksimisyöttönopeus"
+
#~ msgctxt "mold_width description"
#~ msgid "The minimal distance between the ouside of the mold and the outside of the model."
#~ msgstr "Muotin ulkoseinän ja mallin ulkoseinän välinen vähimmäisetäisyys."
diff --git a/resources/i18n/fr_FR/cura.po b/resources/i18n/fr_FR/cura.po
index c32cda58ae..b5a232e257 100644
--- a/resources/i18n/fr_FR/cura.po
+++ b/resources/i18n/fr_FR/cura.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
"PO-Revision-Date: 2021-09-07 07:48+0200\n"
"Last-Translator: Lionbridge \n"
"Language-Team: French , French \n"
@@ -17,212 +17,449 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
"X-Generator: Poedit 3.0\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Inconnu"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
+msgstr "Impossible de créer une archive à partir du répertoire de données de l'utilisateur : {}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
-msgstr "Les imprimantes ci-dessous ne peuvent pas être connectées car elles font partie d'un groupe"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
+msgstr "Sauvegarde"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
-msgstr "Imprimantes en réseau disponibles"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
+msgstr "A essayé de restaurer une sauvegarde Cura sans disposer de données ou de métadonnées appropriées."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
-msgstr "Pas écrasé"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr "A essayé de restaurer une sauvegarde Cura supérieure à la version actuelle."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr "L'erreur suivante s'est produite lors de la restauration d'une sauvegarde Cura :"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr "Veuillez synchroniser les profils de matériaux avec vos imprimantes avant de commencer à imprimer."
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr "Nouveaux matériaux installés"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr "Synchroniser les matériaux avec les imprimantes"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr "En savoir plus"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr "Impossible d'enregistrer l'archive du matériau dans {} :"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr "Échec de l'enregistrement de l'archive des matériaux"
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "La hauteur du volume d'impression a été réduite en raison de la valeur du paramètre « Séquence d'impression » afin d'éviter que le portique ne heurte les modèles imprimés."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Volume d'impression"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr "Voulez-vous vraiment supprimer l'objet {0} ? Cette action est irréversible !"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr "Pas écrasé"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Inconnu"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr "Les imprimantes ci-dessous ne peuvent pas être connectées car elles font partie d'un groupe"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr "Imprimantes en réseau disponibles"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr "Default"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr "Visuel"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr "Le profil visuel est conçu pour imprimer des prototypes et des modèles visuels dans le but d'obtenir une qualité visuelle et de surface élevée."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr "Engineering"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr "Le profil d'ingénierie est conçu pour imprimer des prototypes fonctionnels et des pièces finales dans le but d'obtenir une meilleure précision et des tolérances plus étroites."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr "Ébauche"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr "L'ébauche du profil est conçue pour imprimer les prototypes initiaux et la validation du concept dans le but de réduire considérablement le temps d'impression."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr "En savoir plus"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Matériau personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Personnaliser les profils"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Tous les types supportés ({0})"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Tous les fichiers (*)"
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr "Visuel"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr "Le profil visuel est conçu pour imprimer des prototypes et des modèles visuels dans le but d'obtenir une qualité visuelle et de surface élevée."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr "Engineering"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr "Le profil d'ingénierie est conçu pour imprimer des prototypes fonctionnels et des pièces finales dans le but d'obtenir une meilleure précision et des tolérances plus étroites."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr "Ébauche"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr "L'ébauche du profil est conçue pour imprimer les prototypes initiaux et la validation du concept dans le but de réduire considérablement le temps d'impression."
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Matériau personnalisé"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Personnalisé"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr "La connexion a échoué"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Recherche d'un nouvel emplacement pour les objets"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Recherche d'emplacement"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "Impossible de trouver un emplacement dans le volume d'impression pour tous les objets"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "Impossible de trouver un emplacement"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr "Impossible de créer une archive à partir du répertoire de données de l'utilisateur : {}"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr "Sauvegarde"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr "A essayé de restaurer une sauvegarde Cura sans disposer de données ou de métadonnées appropriées."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr "A essayé de restaurer une sauvegarde Cura supérieure à la version actuelle."
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
-msgstr "L'erreur suivante s'est produite lors de la restauration d'une sauvegarde Cura :"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Chargement des machines..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr "Configuration des préférences..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr "Initialisation de la machine active..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr "Initialisation du gestionnaire de machine..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr "Initialisation du volume de fabrication..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Préparation de la scène..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Chargement de l'interface..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr "Initialisation du moteur..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "La hauteur du volume d'impression a été réduite en raison de la valeur du paramètre « Séquence d'impression » afin d'éviter que le portique ne heurte les modèles imprimés."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Un seul fichier G-Code peut être chargé à la fois. Importation de {0} sautée"
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Volume d'impression"
+msgid "Warning"
+msgstr "Avertissement"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "Impossible d'ouvrir un autre fichier si le G-Code est en cours de chargement. Importation de {0} sautée"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Erreur"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr "Passer"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Fermer"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr "Suivant"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr "Fin"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Ajouter"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Annuler"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr "Groupe nº {group_nr}"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Paroi externe"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Parois internes"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Couche extérieure"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Remplissage"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Remplissage du support"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Interface du support"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Support"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Jupe"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr "Tour primaire"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Déplacement"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Rétractions"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Autre"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr "Les notes de version n'ont pas pu être ouvertes."
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr "Échec du démarrage de Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -237,32 +474,32 @@ msgstr ""
" Veuillez nous envoyer ce rapport d'incident pour que nous puissions résoudre le problème.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr "Envoyer le rapport de d'incident à Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr "Afficher le rapport d'incident détaillé"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr "Afficher le dossier de configuration"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr "Sauvegarder et réinitialiser la configuration"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Rapport d'incident"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -273,702 +510,641 @@ msgstr ""
" Veuillez utiliser le bouton « Envoyer rapport » pour publier automatiquement un rapport d'erreur sur nos serveurs
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr "Informations système"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr "Inconnu"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr "Version Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr "Langue de Cura"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr "Langue du SE"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr "Plate-forme"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr "Version Qt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr "Version PyQt"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr "OpenGL"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr "Pas encore initialisé
"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr "Version OpenGL : {version}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr "Revendeur OpenGL : {vendor}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr "Moteur de rendu OpenGL : {renderer}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr "Retraçage de l'erreur"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr "Journaux"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr "Envoyer rapport"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Chargement des machines..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr "Configuration des préférences..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr "Initialisation de la machine active..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr "Initialisation du gestionnaire de machine..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr "Initialisation du volume de fabrication..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Préparation de la scène..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Chargement de l'interface..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr "Initialisation du moteur..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Un seul fichier G-Code peut être chargé à la fois. Importation de {0} sautée"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Avertissement"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "Impossible d'ouvrir un autre fichier si le G-Code est en cours de chargement. Importation de {0} sautée"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Erreur"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Multiplication et placement d'objets"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr "Placement des objets"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Placement de l'objet"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr "Impossible de lire la réponse."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr "L'état fourni n'est pas correct."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr "Veuillez donner les permissions requises lors de l'autorisation de cette application."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr "Une erreur s'est produite lors de la connexion, veuillez réessayer."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr "Impossible de lancer une nouvelle procédure de connexion. Vérifiez si une autre tentative de connexion est toujours active."
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr "Impossible d’atteindre le serveur du compte Ultimaker."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr "L'état fourni n'est pas correct."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr "Veuillez donner les permissions requises lors de l'autorisation de cette application."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr "Une erreur s'est produite lors de la connexion, veuillez réessayer."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr "Impossible de lire la réponse."
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Multiplication et placement d'objets"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr "Placement des objets"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Placement de l'objet"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr "Non pris en charge"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr "Default"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Buse"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr "Les paramètres ont été modifiés pour correspondre aux extrudeuses actuellement disponibles :"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr "Paramètres mis à jour"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr "Extrudeuse(s) désactivée(s)"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Le fichier existe déjà"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "Le fichier {0} existe déjà. Êtes-vous sûr de vouloir le remplacer ?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr "URL de fichier invalide :"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "Échec de l'exportation du profil vers {0} : {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "Échec de l'exportation du profil vers {0} : le plug-in du générateur a rapporté une erreur."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Profil exporté vers {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr "L'exportation a réussi"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr "Impossible d'importer le profil depuis {0} : {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr "Impossible d'importer le profil depuis {0} avant l'ajout d'une imprimante."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr "Aucun profil personnalisé à importer dans le fichier {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr "Échec de l'importation du profil depuis le fichier {0} :"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr "Le profil {0} contient des données incorrectes ; échec de l'importation."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr "Échec de l'importation du profil depuis le fichier {0} :"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr "Importation du profil {0} réussie."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr "Le fichier {0} ne contient pas de profil valide."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "Le profil {0} est un type de fichier inconnu ou est corrompu."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Personnaliser le profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "Il manque un type de qualité au profil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr "Aucune imprimante n'est active pour le moment."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr "Impossible d'ajouter le profil."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr "Le type de qualité « {0} » n'est pas compatible avec la définition actuelle de la machine active « {1} »."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr "Avertissement : le profil n'est pas visible car son type de qualité « {0} » n'est pas disponible pour la configuration actuelle. Passez à une combinaison matériau/buse qui peut utiliser ce type de qualité."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr "Non pris en charge"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr "Default"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Buse"
+msgid "Per Model Settings"
+msgstr "Paramètres par modèle"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
-msgstr "Les paramètres ont été modifiés pour correspondre aux extrudeuses actuellement disponibles :"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Configurer les paramètres par modèle"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Profil Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "Fichier X3D"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr "Une erreur s’est produite lors de la tentative de restauration de votre sauvegarde."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
-msgstr "Paramètres mis à jour"
+msgid "Backups"
+msgstr "Sauvegardes"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
-msgstr "Extrudeuse(s) désactivée(s)"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
+msgstr "Une erreur s’est produite lors du téléchargement de votre sauvegarde."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Ajouter"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
+msgstr "Création de votre sauvegarde..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
-msgstr "Fin"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr "Une erreur s'est produite lors de la création de votre sauvegarde."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Annuler"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr "Téléchargement de votre sauvegarde..."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr "Le téléchargement de votre sauvegarde est terminé."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr "La sauvegarde dépasse la taille de fichier maximale."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr "Gérer les sauvegardes"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Paramètres de la machine"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr "Blocage des supports"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr "Créer un volume dans lequel les supports ne sont pas imprimés."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Lecteur amovible"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Enregistrer sur un lecteur amovible"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
#, python-brace-format
-msgctxt "@label"
-msgid "Group #{group_nr}"
-msgstr "Groupe nº {group_nr}"
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Enregistrer sur un lecteur amovible {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Paroi externe"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
+msgstr "Aucun format de fichier n'est disponible pour écriture !"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Parois internes"
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Enregistrement sur le lecteur amovible {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Couche extérieure"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Remplissage"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Remplissage du support"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Interface du support"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Support"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Jupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr "Tour primaire"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Déplacement"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Rétractions"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Autre"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
-msgstr "Les notes de version n'ont pas pu être ouvertes."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr "Suivant"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
-msgstr "Passer"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Fermer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
msgctxt "@info:title"
-msgid "3D Model Assistant"
-msgstr "Assistant de modèle 3D"
+msgid "Saving"
+msgstr "Enregistrement"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "Impossible d'enregistrer {0} : {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "Impossible de trouver un nom de fichier lors d'une tentative d'écriture sur {device}."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
#, python-brace-format
msgctxt "@info:status"
-msgid ""
-"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
-"{model_names}
\n"
-"Find out how to ensure the best possible print quality and reliability.
\n"
-"View print quality guide
"
-msgstr ""
-"Un ou plusieurs modèles 3D peuvent ne pas s'imprimer de manière optimale en raison de la taille du modèle et de la configuration matérielle :
\n"
-"{model_names}
\n"
-"Découvrez comment optimiser la qualité et la fiabilité de l'impression.
\n"
-"Consultez le guide de qualité d'impression
"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "Impossible d'enregistrer sur le lecteur {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Enregistré sur le lecteur amovible {0} sous {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Fichier enregistré"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Ejecter"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "Ejecter le lecteur amovible {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "Lecteur {0} éjecté. Vous pouvez maintenant le retirer en tout sécurité."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Retirez le lecteur en toute sécurité"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "Impossible d'éjecter {0}. Un autre programme utilise peut-être ce lecteur."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr "Mettre à jour le firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Profils Cura 15.04"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Recommandé"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Personnalisé"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
msgstr "Le fichier projet {0} contient un type de machine inconnu {1}. Impossible d'importer la machine. Les modèles seront importés à la place."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
msgctxt "@info:title"
msgid "Open Project File"
msgstr "Ouvrir un fichier de projet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is suddenly inaccessible: {1}."
msgstr "Le fichier de projet {0} est soudainement inaccessible : {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
msgctxt "@info:title"
msgid "Can't Open Project File"
msgstr "Impossible d'ouvrir le fichier de projet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
#, python-brace-format
msgctxt "@info:error Don't translate the XML tags or !"
msgid "Project file {0} is corrupt: {1}."
msgstr "Le fichier de projet {0} est corrompu : {1}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
#, python-brace-format
msgctxt "@info:error Don't translate the XML tag !"
msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
msgstr "Le fichier de projet {0} a été réalisé en utilisant des profils inconnus de cette version d'Ultimaker Cura."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Recommandé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
msgctxt "@item:inlistbox"
msgid "3MF File"
msgstr "Fichier 3MF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
-msgstr "Le plug-in 3MF Writer est corrompu."
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
+msgstr "Impossible d'écrire dans le fichier UFP :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr "Aucune autorisation d'écrire l'espace de travail ici."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr "Le système d'exploitation ne permet pas d'enregistrer un fichier de projet à cet emplacement ou avec ce nom de fichier."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr "Erreur d'écriture du fichier 3MF."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "Fichier 3MF"
+msgid "Ultimaker Format Package"
+msgstr "Ultimaker Format Package"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Projet Cura fichier 3MF"
+msgid "G-code File"
+msgstr "Fichier GCode"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr "Fichier AMF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr "Sauvegardes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr "Une erreur s’est produite lors du téléchargement de votre sauvegarde."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
-msgstr "Création de votre sauvegarde..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr "Une erreur s'est produite lors de la création de votre sauvegarde."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr "Téléchargement de votre sauvegarde..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr "Le téléchargement de votre sauvegarde est terminé."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr "La sauvegarde dépasse la taille de fichier maximale."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr "Une erreur s’est produite lors de la tentative de restauration de votre sauvegarde."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
msgctxt "@item:inmenu"
-msgid "Manage backups"
-msgstr "Gérer les sauvegardes"
+msgid "Preview"
+msgstr "Aperçu"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Visualisation par rayons X"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Traitement des couches"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Informations"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
msgctxt "@message"
msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
msgstr "Échec de la découpe avec une erreur inattendue. Signalez un bug sur notre outil de suivi des problèmes."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
msgctxt "@message:title"
msgid "Slicing failed"
msgstr "Échec de la découpe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
msgctxt "@message:button"
msgid "Report a bug"
msgstr "Notifier un bug"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
msgctxt "@message:description"
msgid "Report a bug on Ultimaker Cura's issue tracker."
msgstr "Notifiez un bug sur l'outil de suivi des problèmes d'Ultimaker Cura."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
msgctxt "@info:status"
msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
msgstr "Impossible de découper le matériau actuel, car celui-ci est incompatible avec la machine ou la configuration sélectionnée."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
msgctxt "@info:title"
msgid "Unable to slice"
msgstr "Impossible de découper"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice with the current settings. The following settings have errors: {0}"
msgstr "Impossible de couper avec les paramètres actuels. Les paramètres suivants contiennent des erreurs : {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
#, python-brace-format
msgctxt "@info:status"
msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
msgstr "Impossible de couper en raison de certains paramètres par modèle. Les paramètres suivants contiennent des erreurs sur un ou plusieurs modèles : {error_labels}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
msgctxt "@info:status"
msgid "Unable to slice because the prime tower or prime position(s) are invalid."
msgstr "Impossible de couper car la tour primaire ou la (les) position(s) d'amorçage ne sont pas valides."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
#, python-format
msgctxt "@info:status"
msgid "Unable to slice because there are objects associated with disabled Extruder %s."
msgstr "Impossible de couper car il existe des objets associés à l'extrudeuse désactivée %s."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
msgctxt "@info:status"
msgid ""
"Please review settings and check if your models:\n"
@@ -981,475 +1157,436 @@ msgstr ""
"- Sont affectés à un extrudeur activé\n"
"- N sont pas tous définis comme des mailles de modificateur"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Traitement des couches"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Informations"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Profil Cura"
+msgid "AMF File"
+msgstr "Fichier AMF"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr "Fichier G-Code compressé"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr "Post-traitement"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr "Modifier le G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "Impression par USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Imprimer via USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Imprimer via USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Connecté via USB"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr "Une impression USB est en cours, la fermeture de Cura arrêtera cette impression. Êtes-vous sûr ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr "Une impression est encore en cours. Cura ne peut pas démarrer une autre impression via USB tant que l'impression précédente n'est pas terminée."
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr "Impression en cours"
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr "Préparer"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "Analyse du G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "Détails G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Assurez-vous que le g-code est adapté à votre imprimante et à la configuration de l'imprimante avant d'y envoyer le fichier. La représentation du g-code peut ne pas être exacte."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "Fichier G"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "Image JPG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "Image JPEG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "Image PNG"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "Image BMP"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "Image GIF"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Nivellement du plateau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Sélectionner les mises à niveau"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr "GCodeGzWriter ne prend pas en charge le mode texte."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
msgctxt "@info"
msgid "Could not access update information."
msgstr "Impossible d'accéder aux informations de mise à jour."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
msgstr "De nouvelles fonctionnalités ou des correctifs de bugs sont disponibles pour votre {machine_name} ! Si vous ne l'avez pas encore fait, il est recommandé de mettre à jour le micrologiciel de votre imprimante avec la version {latest_version}."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
#, python-format
msgctxt "@info:title The %s gets replaced with the printer name."
msgid "New %s stable firmware available"
msgstr "Nouveau %s firmware stable disponible"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
msgctxt "@action:button"
msgid "How to update"
msgstr "Comment effectuer la mise à jour"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
-msgid "Update Firmware"
-msgstr "Mettre à jour le firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr "Fichier G-Code compressé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr "GCodeGzWriter ne prend pas en charge le mode texte."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "Fichier GCode"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "Analyse du G-Code"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "Détails G-Code"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Assurez-vous que le g-code est adapté à votre imprimante et à la configuration de l'imprimante avant d'y envoyer le fichier. La représentation du g-code peut ne pas être exacte."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "Fichier G"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr "GCodeWriter ne prend pas en charge le mode non-texte."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr "Veuillez préparer le G-Code avant d'exporter."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "Image JPG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "Image JPEG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "Image PNG"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "Image BMP"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "Image GIF"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Profils Cura 15.04"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Paramètres de la machine"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr "Surveiller"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
-msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Paramètres par modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Configurer les paramètres par modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr "Post-traitement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr "Modifier le G-Code"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr "Préparer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr "Aperçu"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Enregistrer sur un lecteur amovible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Enregistrer sur un lecteur amovible {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr "Aucun format de fichier n'est disponible pour écriture !"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Enregistrement sur le lecteur amovible {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Enregistrement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "Impossible d'enregistrer {0} : {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "Impossible de trouver un nom de fichier lors d'une tentative d'écriture sur {device}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "Impossible d'enregistrer sur le lecteur {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Enregistré sur le lecteur amovible {0} sous {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Fichier enregistré"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Ejecter"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "Ejecter le lecteur amovible {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "Lecteur {0} éjecté. Vous pouvez maintenant le retirer en tout sécurité."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Retirez le lecteur en toute sécurité"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "Impossible d'éjecter {0}. Un autre programme utilise peut-être ce lecteur."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Lecteur amovible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr "Cura n'affiche pas les couches avec précision lorsque l'impression filaire est activée."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr "Vue simulation"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr "Rien ne s'affiche car vous devez d'abord découper."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr "Pas de couches à afficher"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr "Ne plus afficher ce message"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Vue en couches"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
msgctxt "@text"
msgid "Unable to read example data file."
msgstr "Impossible de lire le fichier de données d'exemple."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr "Les zones surlignées indiquent que des surfaces manquent ou sont étrangères. Réparez votre modèle et ouvrez-le à nouveau dans Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr "Erreurs du modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Vue solide"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
-msgctxt "@label"
-msgid "Support Blocker"
-msgstr "Blocage des supports"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr "Créer un volume dans lequel les supports ne sont pas imprimés."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr "Vous souhaitez synchroniser du matériel et des logiciels avec votre compte ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr "Changements détectés à partir de votre compte Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
-msgctxt "@action:button"
-msgid "Sync"
-msgstr "Synchroniser"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr "Synchronisation..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr "Refuser"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr "Accepter"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
-msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Plug-in d'accord de licence"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr "Décliner et supprimer du compte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
msgctxt "@info:generic"
msgid "You need to quit and restart {} before changes have effect."
msgstr "Vous devez quitter et redémarrer {} avant que les changements apportés ne prennent effet."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr "Synchronisation..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr "Changements détectés à partir de votre compte Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr "Vous souhaitez synchroniser du matériel et des logiciels avec votre compte ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr "Synchroniser"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr "Décliner et supprimer du compte"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr "Échec de téléchargement des plugins {}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
-msgstr "Ouvrir le maillage triangulaire compressé"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
+msgstr "Refuser"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr "Accepter"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Plug-in d'accord de licence"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr "GCodeWriter ne prend pas en charge le mode non-texte."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr "Veuillez préparer le G-Code avant d'exporter."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr "Cura n'affiche pas les couches avec précision lorsque l'impression filaire est activée."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr "Vue simulation"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr "Rien ne s'affiche car vous devez d'abord découper."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr "Pas de couches à afficher"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr "Ne plus afficher ce message"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange"
+msgid "Layer view"
+msgstr "Vue en couches"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
-msgstr "glTF binaire"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Imprimer sur le réseau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
-msgstr "glTF incorporé JSON"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Imprimer sur le réseau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr "Format Triangle de Stanford"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
+msgstr "Connecté sur le réseau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr "COLLADA Digital Asset Exchange compressé"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
+msgstr "demain"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr "Ultimaker Format Package"
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
+msgstr "aujourd'hui"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr "Impossible d'écrire dans le fichier UFP :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
msgctxt "@action"
-msgid "Level build plate"
-msgstr "Nivellement du plateau"
+msgid "Connect via Network"
+msgstr "Connecter via le réseau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr "Veuillez patienter jusqu'à ce que la tâche en cours ait été envoyée."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr "Erreur d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr "L'envoi de la tâche d'impression à l'imprimante a réussi."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr "Données envoyées"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr "Vous tentez de vous connecter à une imprimante qui n'exécute pas Ultimaker Connect. Veuillez mettre à jour l'imprimante avec le dernier micrologiciel."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr "Mettre à jour votre imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr "La file d'attente pour les tâches d'impression est pleine. L'imprimante ne peut pas accepter une nouvelle tâche."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr "La file d'attente est pleine"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr "Lancement d'une tâche d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr "Téléchargement de la tâche d'impression sur l'imprimante."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr "Cura a détecté des profils de matériau qui ne sont pas encore installés sur l'imprimante hôte du groupe {0}."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr "Envoi de matériaux à l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr "Impossible de transférer les données à l'imprimante."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr "Erreur de réseau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr "Vous tentez de vous connecter à {0} mais ce n'est pas l'hôte de groupe. Vous pouvez visiter la page Web pour la configurer en tant qu'hôte de groupe."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr "Pas un hôte de groupe"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Sélectionner les mises à niveau"
+msgid "Configure group"
+msgstr "Configurer le groupe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+"Votre imprimante {printer_name} pourrait être connectée via le cloud.\n"
+" Gérez votre file d'attente d'impression et surveillez vos impressions depuis n'importe où en connectant votre imprimante à Digital Factory"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr "Êtes-vous prêt pour l'impression dans le cloud ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr "Prise en main"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr "En savoir plus"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
msgctxt "@action:button"
msgid "Print via cloud"
msgstr "Imprimer via le cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
msgctxt "@properties:tooltip"
msgid "Print via cloud"
msgstr "Imprimer via le cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
msgctxt "@info:status"
msgid "Connected via cloud"
msgstr "Connecté via le cloud"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
msgctxt "@action:button"
msgid "Monitor print"
msgstr "Surveiller l'impression"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
msgctxt "@action:tooltip"
msgid "Track the print in Ultimaker Digital Factory"
msgstr "Suivre l'impression dans Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
#, python-brace-format
msgctxt "@error:send"
msgid "Unknown error code when uploading print job: {0}"
msgstr "Code d'erreur inconnu lors du téléchargement d'une tâche d'impression : {0}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
msgctxt "info:status"
msgid "New printer detected from your Ultimaker account"
msgid_plural "New printers detected from your Ultimaker account"
msgstr[0] "Nouvelle imprimante détectée à partir de votre compte Ultimaker"
msgstr[1] "Nouvelles imprimantes détectées à partir de votre compte Ultimaker"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
#, python-brace-format
msgctxt "info:status Filled in with printer name and printer model."
msgid "Adding printer {name} ({model}) from your account"
msgstr "Ajout de l'imprimante {name} ({model}) à partir de votre compte"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
#, python-brace-format
msgctxt "info:{0} gets replaced by a number of printers"
msgid "... and {0} other"
@@ -1457,71 +1594,71 @@ msgid_plural "... and {0} others"
msgstr[0] "... et {0} autre"
msgstr[1] "... et {0} autres"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
msgctxt "info:status"
msgid "Printers added from Digital Factory:"
msgstr "Imprimantes ajoutées à partir de Digital Factory :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
msgctxt "info:status"
msgid "A cloud connection is not available for a printer"
msgid_plural "A cloud connection is not available for some printers"
msgstr[0] "Une connexion cloud n'est pas disponible pour une imprimante"
msgstr[1] "Une connexion cloud n'est pas disponible pour certaines imprimantes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
msgctxt "info:status"
msgid "This printer is not linked to the Digital Factory:"
msgid_plural "These printers are not linked to the Digital Factory:"
msgstr[0] "Cette imprimante n'est pas associée à Digital Factory :"
msgstr[1] "Ces imprimantes ne sont pas associées à Digital Factory :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
msgctxt "info:name"
msgid "Ultimaker Digital Factory"
msgstr "Ultimaker Digital Factory"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
#, python-brace-format
msgctxt "info:status"
msgid "To establish a connection, please visit the {website_link}"
msgstr "Pour établir une connexion, veuillez visiter le site {website_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
msgctxt "@action:button"
msgid "Keep printer configurations"
msgstr "Conserver les configurations d'imprimante"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
msgctxt "@action:button"
msgid "Remove printers"
msgstr "Supprimer des imprimantes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "{printer_name} will be removed until the next account sync."
msgstr "L'imprimante {printer_name} sera supprimée jusqu'à la prochaine synchronisation de compte."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
msgstr "Pour supprimer {printer_name} définitivement, visitez le site {digital_factory_link}"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
#, python-brace-format
msgctxt "@message {printer_name} is replaced with the name of the printer"
msgid "Are you sure you want to remove {printer_name} temporarily?"
msgstr "Voulez-vous vraiment supprimer {printer_name} temporairement ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
msgctxt "@title:window"
msgid "Remove printers?"
msgstr "Supprimer des imprimantes ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
msgid ""
@@ -1537,7 +1674,7 @@ msgstr[1] ""
"Vous êtes sur le point de supprimer {0} imprimantes de Cura. Cette action est irréversible.\n"
"Voulez-vous vraiment continuer ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
msgctxt "@label"
msgid ""
"You are about to remove all printers from Cura. This action cannot be undone.\n"
@@ -1546,769 +1683,1638 @@ msgstr ""
"Vous êtes sur le point de supprimer toutes les imprimantes de Cura. Cette action est irréversible.\n"
"Voulez-vous vraiment continuer ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
+msgstr "Ouvrir le maillage triangulaire compressé"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr "glTF binaire"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr "glTF incorporé JSON"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr "Format Triangle de Stanford"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr "COLLADA Digital Asset Exchange compressé"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr "Les zones surlignées indiquent que des surfaces manquent ou sont étrangères. Réparez votre modèle et ouvrez-le à nouveau dans Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr "Erreurs du modèle"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Vue solide"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr "Erreur d'écriture du fichier 3MF."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr "Le plug-in 3MF Writer est corrompu."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr "Aucune autorisation d'écrire l'espace de travail ici."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr "Le système d'exploitation ne permet pas d'enregistrer un fichier de projet à cet emplacement ou avec ce nom de fichier."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "Fichier 3MF"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Projet Cura fichier 3MF"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr "Surveiller"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
+msgctxt "@info:title"
+msgid "3D Model Assistant"
+msgstr "Assistant de modèle 3D"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+"One or more 3D models may not print optimally due to the model size and material configuration:
\n"
+"{model_names}
\n"
+"Find out how to ensure the best possible print quality and reliability.
\n"
+"View print quality guide
"
msgstr ""
+"Un ou plusieurs modèles 3D peuvent ne pas s'imprimer de manière optimale en raison de la taille du modèle et de la configuration matérielle :
\n"
+"{model_names}
\n"
+"Découvrez comment optimiser la qualité et la fiabilité de l'impression.
\n"
+"Consultez le guide de qualité d'impression
"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr "Prise en main"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr "Vous tentez de vous connecter à une imprimante qui n'exécute pas Ultimaker Connect. Veuillez mettre à jour l'imprimante avec le dernier micrologiciel."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr "Mettre à jour votre imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr "Cura a détecté des profils de matériau qui ne sont pas encore installés sur l'imprimante hôte du groupe {0}."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr "Envoi de matériaux à l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr "Vous tentez de vous connecter à {0} mais ce n'est pas l'hôte de groupe. Vous pouvez visiter la page Web pour la configurer en tant qu'hôte de groupe."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr "Pas un hôte de groupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr "Configurer le groupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr "Veuillez patienter jusqu'à ce que la tâche en cours ait été envoyée."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr "Erreur d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr "Impossible de transférer les données à l'imprimante."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr "Erreur de réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr "Lancement d'une tâche d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr "Téléchargement de la tâche d'impression sur l'imprimante."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr "La file d'attente pour les tâches d'impression est pleine. L'imprimante ne peut pas accepter une nouvelle tâche."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr "La file d'attente est pleine"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr "L'envoi de la tâche d'impression à l'imprimante a réussi."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr "Données envoyées"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Imprimer sur le réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Imprimer sur le réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr "Connecté sur le réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Connecter via le réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr "demain"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr "aujourd'hui"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "Impression par USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Imprimer via USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Imprimer via USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Connecté via USB"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
-msgstr "Une impression USB est en cours, la fermeture de Cura arrêtera cette impression. Êtes-vous sûr ?"
+msgid "Mesh Type"
+msgstr "Type de maille"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
-msgstr "Une impression est encore en cours. Cura ne peut pas démarrer une autre impression via USB tant que l'impression précédente n'est pas terminée."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
+msgstr "Modèle normal"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
-msgstr "Impression en cours"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
+msgstr "Imprimer comme support"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
+msgstr "Modifier les paramètres de chevauchement"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
+msgstr "Ne prend pas en charge le chevauchement"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "Fichier X3D"
+msgid "Infill mesh only"
+msgstr "Maille de remplissage uniquement"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Visualisation par rayons X"
+msgid "Cutting mesh"
+msgstr "Maille de coupe"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
-msgstr "Certains éléments pourraient causer des problèmes à cette impression. Cliquez pour voir les conseils d'ajustement."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
+msgctxt "@action:button"
+msgid "Select settings"
+msgstr "Sélectionner les paramètres"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "Sélectionner les paramètres pour personnaliser ce modèle"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Filtrer..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Afficher tout"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr "Sauvegardes Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr "Version Cura"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr "Machines"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr "Matériaux"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr "Profils"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr "Plug-ins"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr "Vous en voulez plus ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr "Sauvegarder maintenant"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr "Sauvegarde automatique"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr "Créez automatiquement une sauvegarde chaque jour où Cura est démarré."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr "Restaurer"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr "Supprimer la sauvegarde"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr "Êtes-vous sûr de vouloir supprimer cette sauvegarde ? Il est impossible d'annuler cette action."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr "Restaurer la sauvegarde"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr "Vous devez redémarrer Cura avant que votre sauvegarde ne soit restaurée. Voulez-vous fermer Cura maintenant ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr "Sauvegardez et synchronisez vos paramètres Cura."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr "Se connecter"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr "Mes sauvegardes"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr "Vous n'avez actuellement aucune sauvegarde. Utilisez le bouton « Sauvegarder maintenant » pour en créer une."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr "Pendant la phase de prévisualisation, vous ne pourrez voir qu'un maximum de 5 sauvegardes. Supprimez une sauvegarde pour voir les plus anciennes."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr "Paramètres de l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (Largeur)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (Profondeur)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (Hauteur)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Forme du plateau"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr "Origine au centre"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr "Plateau chauffant"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr "Volume de fabrication chauffant"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr "Parfum G-Code"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr "Paramètres de la tête d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr "Hauteur du portique"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Nombre d'extrudeuses"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr "Appliquer les décalages offset de l'extrudeuse au GCode"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr "G-Code de démarrage"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr "G-Code de fin"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr "Paramètres de la buse"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Taille de la buse"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr "Diamètre du matériau compatible"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "Décalage buse X"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Décalage buse Y"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr "Numéro du ventilateur de refroidissement"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr "Extrudeuse G-Code de démarrage"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr "Extrudeuse G-Code de fin"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
+msgid "Update Firmware"
+msgstr "Mettre à jour le firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+msgctxt "@label"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "Le firmware est le logiciel fonctionnant directement dans votre imprimante 3D. Ce firmware contrôle les moteurs pas à pas, régule la température et surtout, fait que votre machine fonctionne."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+msgctxt "@label"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "Le firmware fourni avec les nouvelles imprimantes fonctionne, mais les nouvelles versions ont tendance à fournir davantage de fonctionnalités ainsi que des améliorations."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
+msgctxt "@action:button"
+msgid "Automatically upgrade Firmware"
+msgstr "Mise à niveau automatique du firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Charger le firmware personnalisé"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr "Impossible de se connecter à l'imprimante ; échec de la mise à jour du firmware."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr "Échec de la mise à jour du firmware, car cette fonctionnalité n'est pas prise en charge par la connexion avec l'imprimante."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
+msgctxt "@title:window"
+msgid "Select custom firmware"
+msgstr "Sélectionner le firmware personnalisé"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
+msgctxt "@title:window"
+msgid "Firmware Update"
+msgstr "Mise à jour du firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
+msgctxt "@label"
+msgid "Updating firmware."
+msgstr "Mise à jour du firmware en cours."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
+msgctxt "@label"
+msgid "Firmware update completed."
+msgstr "Mise à jour du firmware terminée."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
+msgctxt "@label"
+msgid "Firmware update failed due to an unknown error."
+msgstr "Échec de la mise à jour du firmware en raison d'une erreur inconnue."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "Échec de la mise à jour du firmware en raison d'une erreur de communication."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "Échec de la mise à jour du firmware en raison d'une erreur d'entrée/de sortie."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "Échec de la mise à jour du firmware en raison du firmware manquant."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Ouvrir un projet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr "Mettre à jour l'existant"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr "Créer"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Résumé - Projet Cura"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Paramètres de l'imprimante"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "Comment le conflit de la machine doit-il être résolu ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Type"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr "Groupe d'imprimantes"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Paramètres de profil"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "Comment le conflit du profil doit-il être résolu ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Nom"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr "Intent"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "Absent du profil"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
msgstr[0] "%1 écrasent"
msgstr[1] "%1 écrase"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Dérivé de"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
msgstr[0] "%1, %2 écrasent"
msgstr[1] "%1, %2 écrase"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Paramètres du matériau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "Comment le conflit du matériau doit-il être résolu ?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Visibilité des paramètres"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Mode"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Paramètres visibles :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1 sur %2"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr "Le chargement d'un projet effacera tous les modèles sur le plateau."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Ouvrir"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr "Vous en voulez plus ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr "Sauvegarder maintenant"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr "Sauvegarde automatique"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr "Créez automatiquement une sauvegarde chaque jour où Cura est démarré."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr "Restaurer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr "Supprimer la sauvegarde"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr "Êtes-vous sûr de vouloir supprimer cette sauvegarde ? Il est impossible d'annuler cette action."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr "Restaurer la sauvegarde"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr "Vous devez redémarrer Cura avant que votre sauvegarde ne soit restaurée. Voulez-vous fermer Cura maintenant ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr "Version Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr "Machines"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr "Matériaux"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr "Profils"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr "Plug-ins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr "Sauvegardes Cura"
+msgid "Post Processing Plugin"
+msgstr "Plug-in de post-traitement"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr "Mes sauvegardes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr "Vous n'avez actuellement aucune sauvegarde. Utilisez le bouton « Sauvegarder maintenant » pour en créer une."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr "Pendant la phase de prévisualisation, vous ne pourrez voir qu'un maximum de 5 sauvegardes. Supprimez une sauvegarde pour voir les plus anciennes."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr "Sauvegardez et synchronisez vos paramètres Cura."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr "Se connecter"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr "Mettre à jour le firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "Le firmware est le logiciel fonctionnant directement dans votre imprimante 3D. Ce firmware contrôle les moteurs pas à pas, régule la température et surtout, fait que votre machine fonctionne."
+msgid "Post Processing Scripts"
+msgstr "Scripts de post-traitement"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Ajouter un script"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "Le firmware fourni avec les nouvelles imprimantes fonctionne, mais les nouvelles versions ont tendance à fournir davantage de fonctionnalités ainsi que des améliorations."
+msgid "Settings"
+msgstr "Paramètres"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Mise à niveau automatique du firmware"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr "Modifiez les scripts de post-traitement actifs."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Charger le firmware personnalisé"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] "Le script suivant est actif :"
+msgstr[1] "Les scripts suivants sont actifs :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr "Impossible de se connecter à l'imprimante ; échec de la mise à jour du firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr "Échec de la mise à jour du firmware, car cette fonctionnalité n'est pas prise en charge par la connexion avec l'imprimante."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Sélectionner le firmware personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Mise à jour du firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "Mise à jour du firmware en cours."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Mise à jour du firmware terminée."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "Échec de la mise à jour du firmware en raison d'une erreur inconnue."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "Échec de la mise à jour du firmware en raison d'une erreur de communication."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "Échec de la mise à jour du firmware en raison d'une erreur d'entrée/de sortie."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "Échec de la mise à jour du firmware en raison du firmware manquant."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Conversion de l'image..."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "La distance maximale de chaque pixel à partir de la « Base »."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Hauteur (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "La hauteur de la base à partir du plateau en millimètres."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Base (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "La largeur en millimètres sur le plateau."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Largeur (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "La profondeur en millimètres sur le plateau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Profondeur (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr "Pour les lithophanies, les pixels foncés doivent correspondre à des emplacements plus épais afin d'empêcher la lumière de passer. Pour des cartes de hauteur, les pixels clairs signifient un terrain plus élevé, de sorte que les pixels clairs doivent correspondre à des emplacements plus épais dans le modèle 3D généré."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "Le plus foncé est plus haut"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "Le plus clair est plus haut"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr "Pour les lithophanes, un modèle logarithmique simple de la translucidité est disponible. Pour les cartes de hauteur, les valeurs des pixels correspondent aux hauteurs de façon linéaire."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr "Linéaire"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr "Translucidité"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr "Le pourcentage de lumière pénétrant une impression avec une épaisseur de 1 millimètre. La diminution de cette valeur augmente le contraste dans les régions sombres et diminue le contraste dans les régions claires de l'image."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr "Transmission 1 mm (%)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "La quantité de lissage à appliquer à l'image."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Lissage"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
+msgctxt "@label"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Sélectionnez les mises à niveau disponibles pour cet Ultimaker Original"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
+msgctxt "@label"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Plateau chauffant (kit officiel ou fabriqué soi-même)"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Nivellement du plateau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
+msgctxt "@label"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Pour obtenir des résultats d'impression optimaux, vous pouvez maintenant régler votre plateau. Quand vous cliquez sur 'Aller à la position suivante', la buse se déplacera vers les différentes positions pouvant être réglées."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
+msgctxt "@label"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Pour chacune des positions ; glissez un bout de papier sous la buse et ajustez la hauteur du plateau. La hauteur du plateau est juste lorsque la pointe de la buse gratte légèrement le papier."
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Démarrer le nivellement du plateau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Aller à la position suivante"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr "Plus d'informations sur la collecte de données anonymes"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr "Ultimaker Cura recueille des données anonymes afin d'améliorer la qualité d'impression et l'expérience utilisateur. Voici un exemple de toutes les données partagées :"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr "Je ne veux pas envoyer de données anonymes"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr "Autoriser l'envoi de données anonymes"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr "Marché en ligne"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr "Vous devez redémarrer Cura pour que les changements apportés aux paquets ne prennent effet."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
+msgstr "Quitter %1"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr "Installer"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Installé"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr "Premium"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr "Aller sur le Marché en ligne"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr "Rechercher des matériaux"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr "Compatibilité"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr "Machine"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr "Plateau"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr "Support"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr "Qualité"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr "Fiche technique"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr "Fiche de sécurité"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr "Directives d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr "Site Internet"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr "Connexion nécessaire pour l'installation ou la mise à jour"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr "Acheter des bobines de matériau"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr "Mise à jour"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr "Mise à jour"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr "Mis à jour"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr "Précédent"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Imprimante"
+msgid "Plugins"
+msgstr "Plug-ins"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr "Paramètres de la buse"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Matériaux"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr "Installé"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Taille de la buse"
+msgid "Will install upon restarting"
+msgstr "S'installera au redémarrage"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr "Connexion nécessaire pour effectuer la mise à jour"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr "Revenir à une version précédente"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr "Désinstaller"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "mm"
-msgstr "mm"
+msgid "Community Contributions"
+msgstr "Contributions de la communauté"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr "Diamètre du matériau compatible"
+msgid "Community Plugins"
+msgstr "Plug-ins de la communauté"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "Décalage buse X"
+msgid "Generic Materials"
+msgstr "Matériaux génériques"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr "Récupération des paquets..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Décalage buse Y"
+msgid "Website"
+msgstr "Site Internet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr "Numéro du ventilateur de refroidissement"
+msgid "Email"
+msgstr "E-mail"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr "Extrudeuse G-Code de démarrage"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr "Veuillez vous connecter pour obtenir les plug-ins et matériaux vérifiés pour Ultimaker Cura Enterprise"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr "Extrudeuse G-Code de fin"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr "Paramètres de l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (Largeur)"
+msgid "Version"
+msgstr "Version"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (Profondeur)"
+msgid "Last updated"
+msgstr "Dernière mise à jour"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (Hauteur)"
+msgid "Brand"
+msgstr "Marque"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Forme du plateau"
+msgid "Downloads"
+msgstr "Téléchargements"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr "Plug-ins installés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr "Aucun plug-in n'a été installé."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr "Matériaux installés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr "Aucun matériau n'a été installé."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr "Plug-ins groupés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr "Matériaux groupés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr "Impossible de se connecter à la base de données Cura Package. Veuillez vérifier votre connexion."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
msgctxt "@label"
-msgid "Origin at center"
-msgstr "Origine au centre"
+msgid "You need to accept the license to install the package"
+msgstr "Vous devez accepter la licence pour installer le package"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr "Changements à partir de votre compte"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr "Ignorer"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr "Suivant"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
msgctxt "@label"
-msgid "Heated bed"
-msgstr "Plateau chauffant"
+msgid "The following packages will be added:"
+msgstr "Les packages suivants seront ajoutés :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
msgctxt "@label"
-msgid "Heated build volume"
-msgstr "Volume de fabrication chauffant"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr "Les packages suivants ne peuvent pas être installés en raison d'une version incompatible de Cura :"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr "Confirmer la désinstallation"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr "Vous désinstallez des matériaux et/ou des profils qui sont encore en cours d'utilisation. La confirmation réinitialisera les matériaux / profils suivants à leurs valeurs par défaut."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr "Matériaux"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr "Profils"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr "Confirmer"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
msgctxt "@label"
-msgid "G-code flavor"
-msgstr "Parfum G-Code"
+msgid "Color scheme"
+msgstr "Modèle de couleurs"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr "Paramètres de la tête d'impression"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Couleur du matériau"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Type de ligne"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr "Vitesse"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr "Épaisseur de la couche"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr "Largeur de ligne"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr "Débit"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
msgctxt "@label"
-msgid "X min"
-msgstr "X min"
+msgid "Compatibility Mode"
+msgstr "Mode de compatibilité"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
msgctxt "@label"
-msgid "Y min"
-msgstr "Y min"
+msgid "Travels"
+msgstr "Déplacements"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
msgctxt "@label"
-msgid "X max"
-msgstr "X max"
+msgid "Helpers"
+msgstr "Aides"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
msgctxt "@label"
-msgid "Y max"
-msgstr "Y max"
+msgid "Shell"
+msgstr "Coque"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
msgctxt "@label"
-msgid "Gantry Height"
-msgstr "Hauteur du portique"
+msgid "Infill"
+msgstr "Remplissage"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Nombre d'extrudeuses"
+msgid "Starts"
+msgstr "Démarre"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
-msgstr "Appliquer les décalages offset de l'extrudeuse au GCode"
+msgid "Only Show Top Layers"
+msgstr "Afficher uniquement les couches supérieures"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr "G-Code de démarrage"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "Afficher 5 niveaux détaillés en haut"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr "G-Code de fin"
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Haut / bas"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Paroi interne"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr "min"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr "max"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr "Gérer l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr "Verre"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr "Veuillez mettre à jour le Firmware de votre imprimante pour gérer la file d'attente à distance."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr "Les flux de webcam des imprimantes cloud ne peuvent pas être visualisés depuis Ultimaker Cura. Cliquez sur « Gérer l'imprimante » pour visiter Ultimaker Digital Factory et voir cette webcam."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr "Chargement..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr "Indisponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr "Injoignable"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr "Inactif"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr "Préparation..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr "Impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr "Sans titre"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr "Anonyme"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr "Nécessite des modifications de configuration"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr "Détails"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr "Imprimante indisponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr "Premier disponible"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "Mis en file d'attente"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr "Gérer dans le navigateur"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr "Il n'y a pas de travaux d'impression dans la file d'attente. Découpez et envoyez une tache pour en ajouter une."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr "Tâches d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr "Temps total d'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr "Attente de"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Imprimer sur le réseau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Imprimer"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr "Sélection d'imprimantes"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr "Modifications de configuration"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr "Remplacer"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] "L'imprimante assignée, %1, nécessite la modification de configuration suivante :"
+msgstr[1] "L'imprimante assignée, %1, nécessite les modifications de configuration suivantes :"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr "L'imprimante %1 est assignée, mais le projet contient une configuration matérielle inconnue."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr "Changer le matériau %1 de %2 à %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr "Charger %3 comme matériau %1 (Ceci ne peut pas être remplacé)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr "Changer le print core %1 de %2 à %3."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr "Changer le plateau en %1 (Ceci ne peut pas être remplacé)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr "Si vous sélectionnez « Remplacer », les paramètres de la configuration actuelle de l'imprimante seront utilisés. Cela peut entraîner l'échec de l'impression."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr "Aluminium"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Terminé"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr "Abandon..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr "Abandonné"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr "Mise en pause..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr "En pause"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr "Reprise..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Action requise"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr "Finit %1 à %2"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Connecter à l'imprimante en réseau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr "Pour imprimer directement sur votre imprimante via le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble Ethernet ou en connectant votre imprimante à votre réseau Wi-Fi. Si vous ne connectez pas Cura avec votre imprimante, vous pouvez utiliser une clé USB pour transférer les fichiers g-code sur votre imprimante."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr "Sélectionnez votre imprimante dans la liste ci-dessous :"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Modifier"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Supprimer"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Rafraîchir"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Si votre imprimante n'apparaît pas dans la liste, lisez le guide de dépannage de l'impression en réseau"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Type"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Version du firmware"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Adresse"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr "Cette imprimante n'est pas configurée pour héberger un groupe d'imprimantes."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr "Cette imprimante est l'hôte d'un groupe d'imprimantes %1."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "L'imprimante à cette adresse n'a pas encore répondu."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Connecter"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr "Adresse IP non valide"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr "Veuillez saisir une adresse IP valide."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Adresse de l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr "Saisissez l'adresse IP de votre imprimante sur le réseau."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr "Déplacer l'impression en haut"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr "Effacer"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr "Reprendre"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr "Mise en pause..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr "Reprise..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr "Pause"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr "Abandon..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr "Abandonner"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr "Êtes-vous sûr de vouloir déplacer %1 en haut de la file d'attente ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr "Déplacer l'impression en haut de la file d'attente"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr "Êtes-vous sûr de vouloir supprimer %1 ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr "Supprimer l'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr "Êtes-vous sûr de vouloir annuler %1 ?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Abandonner l'impression"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2320,1488 +3326,435 @@ msgstr ""
"- Vérifiez si l'imprimante est sous tension.\n"
"- Vérifiez si l'imprimante est connectée au réseau.- Vérifiez si vous êtes connecté pour découvrir les imprimantes connectées au cloud."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr "Veuillez connecter votre imprimante au réseau."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr "Voir les manuels d'utilisation en ligne"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr "Pour surveiller votre impression depuis Cura, veuillez connecter l'imprimante."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr "Type de maille"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr "Modèle normal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr "Imprimer comme support"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr "Modifier les paramètres de chevauchement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr "Ne prend pas en charge le chevauchement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr "Maille de remplissage uniquement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr "Maille de coupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Sélectionner les paramètres"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "Sélectionner les paramètres pour personnaliser ce modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Filtrer..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Afficher tout"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Plug-in de post-traitement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Scripts de post-traitement"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Ajouter un script"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Paramètres"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr "Modifiez les scripts de post-traitement actifs."
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgstr "Certains éléments pourraient causer des problèmes à cette impression. Cliquez pour voir les conseils d'ajustement."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] "Le script suivant est actif :"
-msgstr[1] "Les scripts suivants sont actifs :"
+msgid "3D View"
+msgstr "Vue 3D"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Modèle de couleurs"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Couleur du matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Type de ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
-msgstr "Vitesse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr "Épaisseur de la couche"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr "Largeur de ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr "Débit"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Mode de compatibilité"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr "Déplacements"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr "Aides"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr "Coque"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Remplissage"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr "Démarre"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Afficher uniquement les couches supérieures"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "Afficher 5 niveaux détaillés en haut"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Haut / bas"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Paroi interne"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr "min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr "max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr "Plus d'informations sur la collecte de données anonymes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr "Ultimaker Cura recueille des données anonymes afin d'améliorer la qualité d'impression et l'expérience utilisateur. Voici un exemple de toutes les données partagées :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr "Je ne veux pas envoyer de données anonymes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr "Autoriser l'envoi de données anonymes"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr "Précédent"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr "Compatibilité"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr "Machine"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr "Plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr "Support"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr "Qualité"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr "Fiche technique"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr "Fiche de sécurité"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr "Directives d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr "Site Internet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Installé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr "Connexion nécessaire pour l'installation ou la mise à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr "Acheter des bobines de matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr "Mise à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr "Mise à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr "Mis à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr "Premium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
-msgstr "Aller sur le Marché en ligne"
+msgid "Front View"
+msgstr "Vue de face"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr "Vue du dessus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr "Vue gauche"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr "Vue droite"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
-msgstr "Rechercher des matériaux"
+msgid "Object list"
+msgstr "Liste d'objets"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr "Vous devez redémarrer Cura pour que les changements apportés aux paquets ne prennent effet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr "Quitter %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr "Plug-ins"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Matériaux"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr "Installé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr "S'installera au redémarrage"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr "Connexion nécessaire pour effectuer la mise à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr "Revenir à une version précédente"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr "Désinstaller"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr "Installer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr "Changements à partir de votre compte"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr "Ignorer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr "Suivant"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr "Les packages suivants seront ajoutés :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr "Les packages suivants ne peuvent pas être installés en raison d'une version incompatible de Cura :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr "Confirmer la désinstallation"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr "Vous désinstallez des matériaux et/ou des profils qui sont encore en cours d'utilisation. La confirmation réinitialisera les matériaux / profils suivants à leurs valeurs par défaut."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr "Matériaux"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr "Profils"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr "Confirmer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr "Vous devez accepter la licence pour installer le package"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr "Site Internet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr "E-mail"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr "Version"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr "Dernière mise à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Marque"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr "Téléchargements"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr "Contributions de la communauté"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr "Plug-ins de la communauté"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr "Matériaux génériques"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr "Impossible de se connecter à la base de données Cura Package. Veuillez vérifier votre connexion."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr "Plug-ins installés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr "Aucun plug-in n'a été installé."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr "Matériaux installés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr "Aucun matériau n'a été installé."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr "Plug-ins groupés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr "Matériaux groupés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr "Récupération des paquets..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr "Veuillez vous connecter pour obtenir les plug-ins et matériaux vérifiés pour Ultimaker Cura Enterprise"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
msgstr "Marché en ligne"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Nivellement du plateau"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "&Fichier"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Pour obtenir des résultats d'impression optimaux, vous pouvez maintenant régler votre plateau. Quand vous cliquez sur 'Aller à la position suivante', la buse se déplacera vers les différentes positions pouvant être réglées."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "&Modifier"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Pour chacune des positions ; glissez un bout de papier sous la buse et ajustez la hauteur du plateau. La hauteur du plateau est juste lorsque la pointe de la buse gratte légèrement le papier."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "&Visualisation"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Démarrer le nivellement du plateau"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr "&Paramètres"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Aller à la position suivante"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "E&xtensions"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Sélectionnez les mises à niveau disponibles pour cet Ultimaker Original"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "P&références"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Plateau chauffant (kit officiel ou fabriqué soi-même)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "&Aide"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Connecter à l'imprimante en réseau"
+msgid "New project"
+msgstr "Nouveau projet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr "Pour imprimer directement sur votre imprimante via le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble Ethernet ou en connectant votre imprimante à votre réseau Wi-Fi. Si vous ne connectez pas Cura avec votre imprimante, vous pouvez utiliser une clé USB pour transférer les fichiers g-code sur votre imprimante."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "Êtes-vous sûr(e) de souhaiter lancer un nouveau projet ? Cela supprimera les objets du plateau ainsi que tous paramètres non enregistrés."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr "Sélectionnez votre imprimante dans la liste ci-dessous :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Modifier"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Supprimer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Rafraîchir"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Si votre imprimante n'apparaît pas dans la liste, lisez le guide de dépannage de l'impression en réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Type"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Version du firmware"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Adresse"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr "Cette imprimante n'est pas configurée pour héberger un groupe d'imprimantes."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr "Cette imprimante est l'hôte d'un groupe d'imprimantes %1."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "L'imprimante à cette adresse n'a pas encore répondu."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Connecter"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr "Adresse IP non valide"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr "Veuillez saisir une adresse IP valide."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Adresse de l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr "Saisissez l'adresse IP de votre imprimante sur le réseau."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr "Modifications de configuration"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr "Remplacer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] "L'imprimante assignée, %1, nécessite la modification de configuration suivante :"
-msgstr[1] "L'imprimante assignée, %1, nécessite les modifications de configuration suivantes :"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr "L'imprimante %1 est assignée, mais le projet contient une configuration matérielle inconnue."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr "Changer le matériau %1 de %2 à %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr "Charger %3 comme matériau %1 (Ceci ne peut pas être remplacé)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr "Changer le print core %1 de %2 à %3."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr "Changer le plateau en %1 (Ceci ne peut pas être remplacé)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr "Si vous sélectionnez « Remplacer », les paramètres de la configuration actuelle de l'imprimante seront utilisés. Cela peut entraîner l'échec de l'impression."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr "Verre"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr "Aluminium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr "Déplacer l'impression en haut"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr "Effacer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr "Reprendre"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr "Mise en pause..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr "Reprise..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr "Pause"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr "Abandon..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr "Abandonner"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr "Êtes-vous sûr de vouloir déplacer %1 en haut de la file d'attente ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr "Déplacer l'impression en haut de la file d'attente"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr "Êtes-vous sûr de vouloir supprimer %1 ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr "Supprimer l'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr "Êtes-vous sûr de vouloir annuler %1 ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Abandonner l'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr "Gérer l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr "Veuillez mettre à jour le Firmware de votre imprimante pour gérer la file d'attente à distance."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr "Chargement..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr "Indisponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr "Injoignable"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr "Inactif"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr "Préparation..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr "Impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr "Sans titre"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr "Anonyme"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr "Nécessite des modifications de configuration"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr "Détails"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr "Imprimante indisponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr "Premier disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr "Abandonné"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Terminé"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr "Abandon..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr "Mise en pause..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr "En pause"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr "Reprise..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Action requise"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr "Finit %1 à %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "Mis en file d'attente"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr "Gérer dans le navigateur"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr "Il n'y a pas de travaux d'impression dans la file d'attente. Découpez et envoyez une tache pour en ajouter une."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr "Tâches d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr "Temps total d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr "Attente de"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Imprimer sur le réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Imprimer"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr "Sélection d'imprimantes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr "Se connecter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr "Connectez-vous à la plateforme Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-"- Ajoutez des profils de matériaux et des plug-ins à partir de la Marketplace\n"
-"- Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins\n"
-"- Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr "Créez gratuitement un compte Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr "Vérification en cours..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr "Compte synchronisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr "Un problème s'est produit..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr "Installer les mises à jour en attente"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr "Rechercher des mises à jour de compte"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr "Dernière mise à jour : %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr "Compte Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr "Déconnexion"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr "Aucune estimation de la durée n'est disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr "Aucune estimation des coûts n'est disponible"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr "Aperçu"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr "Estimation de durée"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr "Estimation du matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr "%1m"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr "%1g"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Découpe en cours..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr "Impossible de découper"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr "Traitement"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr "Découper"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr "Démarrer le processus de découpe"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr "Annuler"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr "Afficher le guide de dépannage en ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Passer en Plein écran"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr "Quitter le mode plein écran"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "&Annuler"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "&Rétablir"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "&Quitter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr "Vue 3D"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr "Vue de face"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr "Vue du dessus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr "Vue de dessous"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr "Vue latérale gauche"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr "Vue latérale droite"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Configurer Cura..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "&Ajouter une imprimante..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Gérer les &imprimantes..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Gérer les matériaux..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr "Ajouter d'autres matériaux du Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "&Mettre à jour le profil à l'aide des paramètres / forçages actuels"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "&Ignorer les modifications actuelles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "&Créer un profil à partir des paramètres / forçages actuels..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Gérer les profils..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Afficher la &documentation en ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "Notifier un &bug"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr "Quoi de neuf"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "À propos de..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr "Supprimer la sélection"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr "Centrer la sélection"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr "Multiplier la sélection"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Supprimer le modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "Ce&ntrer le modèle sur le plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "&Grouper les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Dégrouper les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "&Fusionner les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "&Multiplier le modèle..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Sélectionner tous les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Supprimer les objets du plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Recharger tous les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr "Réorganiser tous les modèles sur tous les plateaux"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Réorganiser tous les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Réorganiser la sélection"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Réinitialiser toutes les positions des modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Réinitialiser tous les modèles et transformations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "&Ouvrir le(s) fichier(s)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "&Nouveau projet..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Afficher le dossier de configuration"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Configurer la visibilité des paramètres..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr "&Marché en ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
-msgstr "Ce paquet sera installé après le redémarrage."
+msgid "Time estimation"
+msgstr "Estimation de durée"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "Général"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
+msgstr "Estimation du matériau"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Paramètres"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
+msgstr "%1m"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Imprimantes"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
+msgstr "%1g"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Profils"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr "Aucune estimation de la durée n'est disponible"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
-msgstr "Fermeture de %1"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr "Aucune estimation des coûts n'est disponible"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
-msgstr "Voulez-vous vraiment quitter %1 ?"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr "Aperçu"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Ouvrir le(s) fichier(s)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
-msgstr "Installer le paquet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Ouvrir le(s) fichier(s)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "Nous avons trouvé au moins un fichier G-Code parmi les fichiers que vous avez sélectionné. Vous ne pouvez ouvrir qu'un seul fichier G-Code à la fois. Si vous souhaitez ouvrir un fichier G-Code, veuillez ne sélectionner qu'un seul fichier de ce type."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
msgstr "Ajouter une imprimante"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
-msgid "What's New"
-msgstr "Quoi de neuf"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr "Ajouter une imprimante en réseau"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr "Ajouter une imprimante hors réseau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr "Ajouter une imprimante cloud"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr "En attente d'une réponse cloud"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr "Aucune imprimante trouvée dans votre compte ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr "Les imprimantes suivantes de votre compte ont été ajoutées à Cura :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr "Ajouter l'imprimante manuellement"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr "Ajouter une imprimante par adresse IP"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr "Saisissez l'adresse IP de votre imprimante."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr "Ajouter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr "Impossible de se connecter à l'appareil."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr "Impossible de vous connecter à votre imprimante Ultimaker ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr "L'imprimante à cette adresse n'a pas encore répondu."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr "Cette imprimante ne peut pas être ajoutée parce qu'il s'agit d'une imprimante inconnue ou de l'hôte d'un groupe."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr "Précédent"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr "Se connecter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr "Accord utilisateur"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr "Décliner et fermer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr "Bienvenue dans Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr ""
+"Veuillez suivre ces étapes pour configurer\n"
+"Ultimaker Cura. Cela ne prendra que quelques instants."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr "Prise en main"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr "Connectez-vous à la plateforme Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr "Ajoutez des paramètres de matériaux et des plug-ins depuis la Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr "Sauvegardez et synchronisez vos paramètres de matériaux et vos plug-ins"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr "Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr "Ignorer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr "Créez gratuitement un compte Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr "Fabricant"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr "Auteur du profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr "Nom de l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr "Veuillez nommer votre imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr "Aucune imprimante n'a été trouvée sur votre réseau."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr "Rafraîchir"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr "Ajouter une imprimante par IP"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr "Ajouter une imprimante cloud"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr "Dépannage"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr "Aidez-nous à améliorer Ultimaker Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr "Ultimaker Cura recueille des données anonymes pour améliorer la qualité d'impression et l'expérience utilisateur, notamment :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr "Types de machines"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr "Utilisation du matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr "Nombre de découpes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr "Paramètres d'impression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr "Les données recueillies par Ultimaker Cura ne contiendront aucun renseignement personnel."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr "Plus d'informations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
+msgid "What's New"
+msgstr "Nouveautés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr "Vide"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr "Notes de version"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr "À propos de %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr "version : %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Solution complète pour l'impression 3D par dépôt de filament fondu."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
@@ -3810,183 +3763,204 @@ msgstr ""
"Cura a été développé par Ultimaker B.V. en coopération avec la communauté Ultimaker.\n"
"Cura est fier d'utiliser les projets open source suivants :"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Interface utilisateur graphique"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Cadre d'application"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr "Générateur G-Code"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Bibliothèque de communication interprocess"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Langage de programmation"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "Cadre IUG"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "Liens cadre IUG"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "Bibliothèque C/C++ Binding"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Format d'échange de données"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Prise en charge de la bibliothèque pour le calcul scientifique"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Prise en charge de la bibliothèque pour des maths plus rapides"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers STL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr "Prise en charge de la bibliothèque pour le traitement des objets planaires"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr "Prise en charge de la bibliothèque pour le traitement des mailles triangulaires"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers 3MF"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr "Prise en charge de la bibliothèque pour les métadonnées et le streaming de fichiers"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Bibliothèque de communication série"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "Bibliothèque de découverte ZeroConf"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Bibliothèque de découpe polygone"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr "Vérificateur de type statique pour Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr "Certificats racines pour valider la fiabilité SSL"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr "Bibliothèque de suivi des erreurs Python"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr "Bibliothèque d'emballage de polygones, développée par Prusa Research"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr "Liens en python pour libnest2d"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr "Bibliothèque de support pour l'accès au trousseau de clés du système"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr "Extensions Python pour Microsoft Windows"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Police"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "Icônes SVG"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr "Déploiement d'applications sur multiples distributions Linux"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Ouvrir un fichier de projet"
+msgid "Open file(s)"
+msgstr "Ouvrir le(s) fichier(s)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Ceci est un fichier de projet Cura. Souhaitez-vous l'ouvrir comme projet ou en importer les modèles ?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Nous avons trouvé au moins un fichier de projet parmi les fichiers que vous avez sélectionnés. Vous ne pouvez ouvrir qu'un seul fichier de projet à la fois. Nous vous conseillons de n'importer que les modèles de ces fichiers. Souhaitez-vous continuer ?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Se souvenir de mon choix"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Ouvrir comme projet"
+msgid "Import all as models"
+msgstr "Importer tout comme modèles"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Enregistrer le projet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Extrudeuse %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 & matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr "Matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "Ne pas afficher à nouveau le résumé du projet lors de l'enregistrement"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Importer les modèles"
+msgid "Save"
+msgstr "Enregistrer"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Annuler ou conserver les modifications"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -3997,1251 +3971,144 @@ msgstr ""
"Souhaitez-vous conserver ces paramètres modifiés après avoir changé de profil ?\n"
"Vous pouvez également annuler les modifications pour charger les valeurs par défaut de '%1'."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Paramètres du profil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr "Modifications actuelles"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Toujours me demander"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Annuler et ne plus me demander"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Conserver et ne plus me demander"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr "Annuler les modifications"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr "Conserver les modifications"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Ouvrir un fichier de projet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Nous avons trouvé au moins un fichier de projet parmi les fichiers que vous avez sélectionnés. Vous ne pouvez ouvrir qu'un seul fichier de projet à la fois. Nous vous conseillons de n'importer que les modèles de ces fichiers. Souhaitez-vous continuer ?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Ceci est un fichier de projet Cura. Souhaitez-vous l'ouvrir comme projet ou en importer les modèles ?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Se souvenir de mon choix"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Importer tout comme modèles"
+msgid "Open as project"
+msgstr "Ouvrir comme projet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Enregistrer le projet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Extrudeuse %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 & matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr "Matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "Ne pas afficher à nouveau le résumé du projet lors de l'enregistrement"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Enregistrer"
+msgid "Import models"
+msgstr "Importer les modèles"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Imprimer le modèle sélectionné avec %1"
-msgstr[1] "Imprimer les modèles sélectionnés avec %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr "Sans titre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "&Fichier"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "&Modifier"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "&Visualisation"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr "&Paramètres"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "E&xtensions"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "P&références"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "&Aide"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Nouveau projet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "Êtes-vous sûr(e) de souhaiter lancer un nouveau projet ? Cela supprimera les objets du plateau ainsi que tous paramètres non enregistrés."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr "Marché en ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr "Configurations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr "Cette configuration n'est pas disponible car %1 n'est pas reconnu. Veuillez visiter %2 pour télécharger le profil matériel correct."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr "Marché en ligne"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr "Chargement des configurations disponibles à partir de l'imprimante..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr "Les configurations ne sont pas disponibles car l'imprimante est déconnectée."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr "Sélectionner la configuration"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr "Configurations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr "Personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr "Imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr "Activé"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr "Utiliser de la colle pour une meilleure adhérence avec cette combinaison de matériaux."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Imprimer le modèle sélectionné avec :"
-msgstr[1] "Imprimer les modèles sélectionnés avec :"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Multiplier le modèle sélectionné"
-msgstr[1] "Multiplier les modèles sélectionnés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Nombre de copies"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr "&Enregistrer le projet..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr "E&xporter..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr "Exporter la sélection..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr "Matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr "Favoris"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr "Générique"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr "Ouvrir le(s) fichier(s)..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr "Imprimantes réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr "Imprimantes locales"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "Ouvrir un fichier &récent"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr "Sauvegarder le projet..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "Im&primante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Définir comme extrudeur actif"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr "Activer l'extrudeuse"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr "Désactiver l'extrudeuse"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr "Paramètres visibles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr "Réduire toutes les catégories"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr "Gérer la visibilité des paramètres..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr "Position de la &caméra"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr "Vue de la caméra"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr "Perspective"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr "Orthographique"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr "&Plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "Non connecté à une imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "L'imprimante n'accepte pas les commandes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "En maintenance. Vérifiez l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Connexion avec l'imprimante perdue"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Impression..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "En pause"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Préparation..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Supprimez l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr "Abandonner l'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "Êtes-vous sûr(e) de vouloir abandonner l'impression ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr "Est imprimé comme support."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr "D'autres modèles qui se chevauchent avec ce modèle ont été modifiés."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr "Le chevauchement de remplissage avec ce modèle a été modifié."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr "Les chevauchements avec ce modèle ne sont pas pris en charge."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] "Remplace le paramètre %1."
-msgstr[1] "Remplace les paramètres %1."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr "Liste d'objets"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Interface"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Devise :"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Thème :"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "Vous devez redémarrer l'application pour que ces changements prennent effet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Découper automatiquement si les paramètres sont modifiés."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Découper automatiquement"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "Comportement Viewport"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Surligne les parties non supportées du modèle en rouge. Sans ajouter de support, ces zones ne s'imprimeront pas correctement."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Mettre en surbrillance les porte-à-faux"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr "Surlignez les surfaces du modèle manquantes ou étrangères en utilisant les signes d'avertissement. Les Toolpaths seront souvent les parties manquantes de la géométrie prévue."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr "Afficher les erreurs du modèle"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "Déplace la caméra afin que le modèle sélectionné se trouve au centre de la vue"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Centrer la caméra lorsqu'un élément est sélectionné"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "Le comportement de zoom par défaut de Cura doit-il être inversé ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Inverser la direction du zoom de la caméra."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "Le zoom doit-il se faire dans la direction de la souris ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr "Le zoom vers la souris n'est pas pris en charge dans la perspective orthographique."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "Zoomer vers la direction de la souris"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "Les modèles dans la zone d'impression doivent-ils être déplacés afin de ne plus se croiser ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "Veillez à ce que les modèles restent séparés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "Les modèles dans la zone d'impression doivent-ils être abaissés afin de toucher le plateau ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Abaisser automatiquement les modèles sur le plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr "Afficher le message d'avertissement dans le lecteur G-Code."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr "Message d'avertissement dans le lecteur G-Code"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "La couche doit-elle être forcée en mode de compatibilité ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "Forcer l'affichage de la couche en mode de compatibilité (redémarrage requis)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr "Est-ce que Cura devrait ouvrir à l'endroit où il a été fermé ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr "Restaurer la position de la fenêtre au démarrage"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr "Quel type de rendu de la caméra doit-il être utilisé?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr "Rendu caméra :"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr "Perspective"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr "Orthographique"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Ouvrir et enregistrer des fichiers"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr "L'ouverture de fichiers à partir du bureau ou d'applications externes doit-elle se faire dans la même instance de Cura ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr "Utiliser une seule instance de Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "Les modèles doivent-ils être mis à l'échelle du volume d'impression s'ils sont trop grands ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Réduire la taille des modèles trop grands"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Un modèle peut apparaître en tout petit si son unité est par exemple en mètres plutôt qu'en millimètres. Ces modèles doivent-ils être agrandis ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Mettre à l'échelle les modèles extrêmement petits"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr "Les modèles doivent-ils être sélectionnés après leur chargement ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr "Sélectionner les modèles lorsqu'ils sont chargés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "Un préfixe basé sur le nom de l'imprimante doit-il être automatiquement ajouté au nom de la tâche d'impression ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Ajouter le préfixe de la machine au nom de la tâche"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "Un résumé doit-il être affiché lors de l'enregistrement d'un fichier de projet ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Afficher la boîte de dialogue du résumé lors de l'enregistrement du projet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet : "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr "Toujours me demander"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Toujours ouvrir comme projet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Toujours importer les modèles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Lorsque vous apportez des modifications à un profil puis passez à un autre profil, une boîte de dialogue apparaît, vous demandant si vous souhaitez conserver les modifications. Vous pouvez aussi choisir une option par défaut, et le dialogue ne s'affichera plus."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr "Profils"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr "Comportement par défaut pour les valeurs de paramètres modifiées lors du passage à un profil différent : "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr "Toujours rejeter les paramètres modifiés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr "Toujours transférer les paramètres modifiés dans le nouveau profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Confidentialité"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "Les données anonymes de votre impression doivent-elles être envoyées à Ultimaker ? Notez qu'aucun modèle, aucune adresse IP ni aucune autre information permettant de vous identifier personnellement ne seront envoyés ou stockés."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "Envoyer des informations (anonymes) sur l'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr "Plus d'informations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr "Mises à jour"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "Cura doit-il vérifier les mises à jour au démarrage du programme ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Vérifier les mises à jour au démarrage"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr "Lorsque vous vérifiez les mises à jour, ne vérifiez que les versions stables."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr "Uniquement les versions stables"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr "Lorsque vous recherchez des mises à jour, vérifiez à la fois les versions stables et les versions bêta."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr "Versions stables et bêta"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr "Une vérification automatique des nouveaux plugins doit-elle être effectuée à chaque fois que Cura est lancé ? Il est fortement recommandé de ne pas désactiver cette fonction !"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr "Recevoir des notifications pour les mises à jour des plugins"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Activer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Renommer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Créer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Dupliquer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Importer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Exporter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr "Synchroniser les imprimantes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr "Imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr "Confirmer la suppression"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr "Êtes-vous sûr de vouloir supprimer l'objet %1 ? Vous ne pourrez pas revenir en arrière !"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Importer un matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "Impossible d'importer le matériau %1 : %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "Matériau %1 importé avec succès"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Exporter un matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Échec de l'exportation de matériau vers %1 : %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "Matériau exporté avec succès vers %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr "Exporter tous les matériaux"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Informations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr "Confirmer le changement de diamètre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr "Le nouveau diamètre de filament est réglé sur %1 mm, ce qui n'est pas compatible avec l'extrudeuse actuelle. Souhaitez-vous poursuivre ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Afficher le nom"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Type de matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Couleur"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Propriétés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Densité"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Diamètre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Coût du filament"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Poids du filament"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Longueur du filament"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Coût au mètre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Ce matériau est lié à %1 et partage certaines de ses propriétés."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Délier le matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Description"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Informations d'adhérence"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Paramètres d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Créer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Dupliquer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Créer un profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr "Veuillez fournir un nom pour ce profil."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Dupliquer un profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Renommer le profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Importer un profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Exporter un profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Imprimante : %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Mettre à jour le profil à l'aide des paramètres / forçages actuels"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "Ignorer les modifications actuelles"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Ce profil utilise les paramètres par défaut spécifiés par l'imprimante, de sorte qu'aucun paramètre / forçage n'apparaît dans la liste ci-dessous."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Vos paramètres actuels correspondent au profil sélectionné."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Paramètres généraux"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Calculer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Paramètre"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Actuel"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Unité"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Visibilité des paramètres"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Vérifier tout"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Extrudeuse"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "Température cible de l'extrémité chauffante. L'extrémité chauffante sera chauffée ou refroidie pour tendre vers cette température. Si la valeur est 0, le chauffage de l'extrémité chauffante sera coupé."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr "Température actuelle de cette extrémité chauffante."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr "Température jusqu'à laquelle préchauffer l'extrémité chauffante."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Annuler"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Préchauffer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr "Préchauffez l'extrémité chauffante avant l'impression. Vous pouvez continuer l'ajustement de votre impression pendant qu'elle chauffe, ce qui vous évitera un temps d'attente lorsque vous serez prêt à lancer l'impression."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Couleur du matériau dans cet extrudeur."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Matériau dans cet extrudeur."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "Buse insérée dans cet extrudeur."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Plateau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "Température cible du plateau chauffant. Le plateau sera chauffé ou refroidi pour tendre vers cette température. Si la valeur est 0, le chauffage du plateau sera éteint."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "Température actuelle du plateau chauffant."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "Température jusqu'à laquelle préchauffer le plateau."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "Préchauffez le plateau avant l'impression. Vous pouvez continuer à ajuster votre impression pendant qu'il chauffe, et vous n'aurez pas à attendre que le plateau chauffe lorsque vous serez prêt à lancer l'impression."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr "Contrôle de l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr "Position de coupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr "X/Y"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr "Z"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr "Distance de coupe"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr "Envoyer G-Code"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr "Envoyer une commande G-Code personnalisée à l'imprimante connectée. Appuyez sur « Entrée » pour envoyer la commande."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "L'imprimante n'est pas connectée."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr "L'imprimante cloud est hors ligne. Veuillez vérifier si l'imprimante est activée et connectée à Internet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr "Cette imprimante n'est pas associée à votre compte. Veuillez visiter l'Ultimaker Digital Factory pour établir une connexion."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr "La connexion cloud est actuellement indisponible. Veuillez vous connecter pour connecter l'imprimante cloud."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr "La connexion cloud est actuellement indisponible. Veuillez vérifier votre connexion Internet."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr "Ajouter une imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr "Gérer les imprimantes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr "Imprimantes connectées"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr "Imprimantes préréglées"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Activer l'impression"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Nom de la tâche"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Durée d'impression"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Durée restante estimée"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr "L'imprimante cloud est hors ligne. Veuillez vérifier si l'imprimante est activée et connectée à Internet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr "Cette imprimante n'est pas associée à votre compte. Veuillez visiter l'Ultimaker Digital Factory pour établir une connexion."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr "La connexion cloud est actuellement indisponible. Veuillez vous connecter pour connecter l'imprimante cloud."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr "La connexion cloud est actuellement indisponible. Veuillez vérifier votre connexion Internet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr "Ajouter une imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr "Gérer les imprimantes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr "Imprimantes connectées"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr "Imprimantes préréglées"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Paramètres d'impression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr "Configuration d'impression désactivée. Le fichier G-Code ne peut pas être modifié."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr "Profil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5252,120 +4119,1703 @@ msgstr ""
"\n"
"Cliquez pour ouvrir le gestionnaire de profils."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr "Personnaliser les profils"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "Ignorer les modifications actuelles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr "Recommandé"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr "Personnalisé"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr "On"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr "Off"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr "Expérimental"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
msgstr[0] "Il n'y a pas de profil %1 pour la configuration dans l'extrudeur %2. L'intention par défaut sera utilisée à la place"
msgstr[1] "Il n'y a pas de profil %1 pour les configurations dans les extrudeurs %2. L'intention par défaut sera utilisée à la place"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr "Configuration d'impression désactivée. Le fichier G-Code ne peut pas être modifié."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr "Recommandé"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr "Personnalisé"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr "On"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr "Off"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
-msgstr "Expérimental"
+msgid "Profiles"
+msgstr "Profils"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr "Adhérence"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Activez l'impression d'une bordure ou plaquette (Brim/Raft). Cela ajoutera une zone plate autour de ou sous votre objet qui est facile à découper par la suite."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr "Remplissage graduel"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "Un remplissage graduel augmentera la quantité de remplissage vers le haut."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr "Vous avez modifié certains paramètres du profil. Si vous souhaitez les modifier, allez dans le mode Personnaliser."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr "Support"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "Générer des structures pour soutenir les parties du modèle qui possèdent des porte-à-faux. Sans ces structures, ces parties s'effondreront durant l'impression."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
-msgstr ""
-"Certains paramètres masqués utilisent des valeurs différentes de leur valeur normalement calculée.\n"
-"\n"
-"Cliquez pour rendre ces paramètres visibles."
+msgid "Gradual infill"
+msgstr "Remplissage graduel"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "Un remplissage graduel augmentera la quantité de remplissage vers le haut."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr "Adhérence"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Activez l'impression d'une bordure ou plaquette (Brim/Raft). Cela ajoutera une zone plate autour de ou sous votre objet qui est facile à découper par la suite."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr "Sauvegarder le projet..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr "Imprimantes réseau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr "Imprimantes locales"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr "Matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr "Favoris"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr "Générique"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Imprimer le modèle sélectionné avec :"
+msgstr[1] "Imprimer les modèles sélectionnés avec :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Multiplier le modèle sélectionné"
+msgstr[1] "Multiplier les modèles sélectionnés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Nombre de copies"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr "&Enregistrer le projet..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr "E&xporter..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr "Exporter la sélection..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr "Configurations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr "Personnalisé"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr "Imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr "Activé"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr "Utiliser de la colle pour une meilleure adhérence avec cette combinaison de matériaux."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr "Sélectionner la configuration"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr "Configurations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr "Chargement des configurations disponibles à partir de l'imprimante..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr "Les configurations ne sont pas disponibles car l'imprimante est déconnectée."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr "Cette configuration n'est pas disponible car %1 n'est pas reconnu. Veuillez visiter %2 pour télécharger le profil matériel correct."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr "Marché en ligne"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr "Ouvrir le(s) fichier(s)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "Im&primante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Définir comme extrudeur actif"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr "Activer l'extrudeuse"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr "Désactiver l'extrudeuse"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "Ouvrir un fichier &récent"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr "Paramètres visibles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr "Réduire toutes les catégories"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr "Gérer la visibilité des paramètres..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr "Position de la &caméra"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr "Vue de la caméra"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr "Perspective"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr "Orthographique"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr "&Plateau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr "Type d'affichage"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr "Est imprimé comme support."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr "D'autres modèles qui se chevauchent avec ce modèle ont été modifiés."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr "Le chevauchement de remplissage avec ce modèle a été modifié."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr "Les chevauchements avec ce modèle ne sont pas pris en charge."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] "Remplace le paramètre %1."
+msgstr[1] "Remplace les paramètres %1."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Profils"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Activer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Créer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Dupliquer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Renommer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Importer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Exporter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Créer un profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr "Veuillez fournir un nom pour ce profil."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Dupliquer un profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr "Confirmer la suppression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr "Êtes-vous sûr de vouloir supprimer l'objet %1 ? Vous ne pourrez pas revenir en arrière !"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Renommer le profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Importer un profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Exporter un profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Imprimante : %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Mettre à jour le profil à l'aide des paramètres / forçages actuels"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Ce profil utilise les paramètres par défaut spécifiés par l'imprimante, de sorte qu'aucun paramètre / forçage n'apparaît dans la liste ci-dessous."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Vos paramètres actuels correspondent au profil sélectionné."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Paramètres généraux"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "Général"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Interface"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Devise :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Thème :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "Vous devez redémarrer l'application pour que ces changements prennent effet."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Découper automatiquement si les paramètres sont modifiés."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Découper automatiquement"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "Comportement Viewport"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Surligne les parties non supportées du modèle en rouge. Sans ajouter de support, ces zones ne s'imprimeront pas correctement."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Mettre en surbrillance les porte-à-faux"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr "Surlignez les surfaces du modèle manquantes ou étrangères en utilisant les signes d'avertissement. Les Toolpaths seront souvent les parties manquantes de la géométrie prévue."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr "Afficher les erreurs du modèle"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "Déplace la caméra afin que le modèle sélectionné se trouve au centre de la vue"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Centrer la caméra lorsqu'un élément est sélectionné"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "Le comportement de zoom par défaut de Cura doit-il être inversé ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Inverser la direction du zoom de la caméra."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "Le zoom doit-il se faire dans la direction de la souris ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr "Le zoom vers la souris n'est pas pris en charge dans la perspective orthographique."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "Zoomer vers la direction de la souris"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "Les modèles dans la zone d'impression doivent-ils être déplacés afin de ne plus se croiser ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "Veillez à ce que les modèles restent séparés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "Les modèles dans la zone d'impression doivent-ils être abaissés afin de toucher le plateau ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Abaisser automatiquement les modèles sur le plateau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr "Afficher le message d'avertissement dans le lecteur G-Code."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr "Message d'avertissement dans le lecteur G-Code"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "La couche doit-elle être forcée en mode de compatibilité ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "Forcer l'affichage de la couche en mode de compatibilité (redémarrage requis)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr "Est-ce que Cura devrait ouvrir à l'endroit où il a été fermé ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr "Restaurer la position de la fenêtre au démarrage"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr "Quel type de rendu de la caméra doit-il être utilisé?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr "Rendu caméra :"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr "Perspective"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr "Orthographique"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Ouvrir et enregistrer des fichiers"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr "L'ouverture de fichiers à partir du bureau ou d'applications externes doit-elle se faire dans la même instance de Cura ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr "Utiliser une seule instance de Cura"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr "Les objets doivent-ils être supprimés du plateau de fabrication avant de charger un nouveau modèle dans l'instance unique de Cura ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr "Supprimez les objets du plateau de fabrication avant de charger un modèle dans l'instance unique"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "Les modèles doivent-ils être mis à l'échelle du volume d'impression s'ils sont trop grands ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Réduire la taille des modèles trop grands"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Un modèle peut apparaître en tout petit si son unité est par exemple en mètres plutôt qu'en millimètres. Ces modèles doivent-ils être agrandis ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Mettre à l'échelle les modèles extrêmement petits"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr "Les modèles doivent-ils être sélectionnés après leur chargement ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr "Sélectionner les modèles lorsqu'ils sont chargés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "Un préfixe basé sur le nom de l'imprimante doit-il être automatiquement ajouté au nom de la tâche d'impression ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Ajouter le préfixe de la machine au nom de la tâche"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "Un résumé doit-il être affiché lors de l'enregistrement d'un fichier de projet ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Afficher la boîte de dialogue du résumé lors de l'enregistrement du projet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Comportement par défaut lors de l'ouverture d'un fichier de projet : "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr "Toujours me demander"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Toujours ouvrir comme projet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Toujours importer les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Lorsque vous apportez des modifications à un profil puis passez à un autre profil, une boîte de dialogue apparaît, vous demandant si vous souhaitez conserver les modifications. Vous pouvez aussi choisir une option par défaut, et le dialogue ne s'affichera plus."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr "Comportement par défaut pour les valeurs de paramètres modifiées lors du passage à un profil différent : "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr "Toujours rejeter les paramètres modifiés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr "Toujours transférer les paramètres modifiés dans le nouveau profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Confidentialité"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "Les données anonymes de votre impression doivent-elles être envoyées à Ultimaker ? Notez qu'aucun modèle, aucune adresse IP ni aucune autre information permettant de vous identifier personnellement ne seront envoyés ou stockés."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "Envoyer des informations (anonymes) sur l'impression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr "Plus d'informations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr "Mises à jour"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "Cura doit-il vérifier les mises à jour au démarrage du programme ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Vérifier les mises à jour au démarrage"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr "Lorsque vous vérifiez les mises à jour, ne vérifiez que les versions stables."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr "Uniquement les versions stables"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr "Lorsque vous recherchez des mises à jour, vérifiez à la fois les versions stables et les versions bêta."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr "Versions stables et bêta"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr "Une vérification automatique des nouveaux plugins doit-elle être effectuée à chaque fois que Cura est lancé ? Il est fortement recommandé de ne pas désactiver cette fonction !"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr "Recevoir des notifications pour les mises à jour des plugins"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Informations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr "Confirmer le changement de diamètre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr "Le nouveau diamètre de filament est réglé sur %1 mm, ce qui n'est pas compatible avec l'extrudeuse actuelle. Souhaitez-vous poursuivre ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Afficher le nom"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Type de matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Couleur"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Propriétés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Densité"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Diamètre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Coût du filament"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Poids du filament"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Longueur du filament"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Coût au mètre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Ce matériau est lié à %1 et partage certaines de ses propriétés."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Délier le matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Description"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Informations d'adhérence"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Créer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Dupliquer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr "Synchroniser les imprimantes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr "Imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Importer un matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "Impossible d'importer le matériau %1 : %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "Matériau %1 importé avec succès"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Exporter un matériau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to %1: %2"
+msgstr "Échec de l'exportation de matériau vers %1 : %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:378
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully exported material to %1"
+msgstr "Matériau exporté avec succès vers %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:17
+msgctxt "@title:window"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:47
+msgctxt "@title:header"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:53
+msgctxt "@text"
+msgid "Following a few simple steps, you will be able to synchronize all your material profiles with your printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:77
+msgctxt "@button"
+msgid "Start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:98
+msgctxt "@button"
+msgid "Why do I need to sync material profiles?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:130
+msgctxt "@title:header"
+msgid "Sign in"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:137
+msgctxt "@text"
+msgid "To automatically sync the material profiles with all your printers connected to Digital Factory you need to be signed in in Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:611
+msgctxt "@button"
+msgid "Sync materials with USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:200
+msgctxt "@title:header"
+msgid "The following printers will receive the new material profiles:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:207
+msgctxt "@title:header"
+msgid "Something went wrong when sending the materials to the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:214
+msgctxt "@title:header"
+msgid "Material profiles successfully synced with the following printers:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:256
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:444
+msgctxt "@button"
+msgid "Troubleshooting"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:432
+msgctxt "@text Asking the user whether printers are missing in a list."
+msgid "Printers missing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:434
+msgctxt "@text"
+msgid "Make sure all your printers are turned ON and connected to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:457
+msgctxt "@button"
+msgid "Refresh List"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:487
+msgctxt "@button"
+msgid "Try again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:491
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Done"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:493
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:618
+msgctxt "@button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:549
+msgctxt "@button"
+msgid "Syncing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:566
+msgctxt "@title:header"
+msgid "No printers found"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:582
+msgctxt "@text"
+msgid "It seems like you don't have any compatible printers connected to Digital Factory. Make sure your printer is connected and it's running the latest firmware."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:595
+msgctxt "@button"
+msgid "Learn how to connect your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:625
+msgctxt "@button"
+msgid "Refresh"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:647
+msgctxt "@title:header"
+msgid "Sync material profiles via USB"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:654
+msgctxt "@text In the UI this is followed by a list of steps the user needs to take."
+msgid "Follow the following steps to load the new material profiles to your printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:679
+msgctxt "@text"
+msgid "Click the export material archive button."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:680
+msgctxt "@text"
+msgid "Save the .umm file on a USB stick."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:681
+msgctxt "@text"
+msgid "Insert the USB stick into your printer and launch the procedure to load new material profiles."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:692
+msgctxt "@button"
+msgid "How to load new material profiles to my printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:716
+msgctxt "@button"
+msgid "Export material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:753
+msgctxt "@title:window"
+msgid "Export All Materials"
+msgstr "Exporter tous les matériaux"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
+msgctxt "@title:tab"
+msgid "Setting Visibility"
+msgstr "Visibilité des paramètres"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
+msgctxt "@label:textbox"
+msgid "Check all"
+msgstr "Vérifier tout"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:473
+msgctxt "@title:tab"
+msgid "Printers"
+msgstr "Imprimantes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:61
+msgctxt "@info:status"
+msgid "Calculated"
+msgstr "Calculer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:75
+msgctxt "@title:column"
+msgid "Setting"
+msgstr "Paramètre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:82
+msgctxt "@title:column"
+msgid "Profile"
+msgstr "Profil"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:89
+msgctxt "@title:column"
+msgid "Current"
+msgstr "Actuel"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfileTab.qml:97
+msgctxt "@title:column"
+msgid "Unit"
+msgstr "Unité"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:119
+msgctxt "@label:MonitorStatus"
+msgid "Not connected to a printer"
+msgstr "Non connecté à une imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:123
+msgctxt "@label:MonitorStatus"
+msgid "Printer does not accept commands"
+msgstr "L'imprimante n'accepte pas les commandes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:133
+msgctxt "@label:MonitorStatus"
+msgid "In maintenance. Please check the printer"
+msgstr "En maintenance. Vérifiez l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:144
+msgctxt "@label:MonitorStatus"
+msgid "Lost connection with the printer"
+msgstr "Connexion avec l'imprimante perdue"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:146
+msgctxt "@label:MonitorStatus"
+msgid "Printing..."
+msgstr "Impression..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:149
+msgctxt "@label:MonitorStatus"
+msgid "Paused"
+msgstr "En pause"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:152
+msgctxt "@label:MonitorStatus"
+msgid "Preparing..."
+msgstr "Préparation..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:154
+msgctxt "@label:MonitorStatus"
+msgid "Please remove the print"
+msgstr "Supprimez l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:326
+msgctxt "@label"
+msgid "Abort Print"
+msgstr "Abandonner l'impression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:338
+msgctxt "@label"
+msgid "Are you sure you want to abort the print?"
+msgstr "Êtes-vous sûr(e) de vouloir abandonner l'impression ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ExtruderButton.qml:16
+msgctxt "@label %1 is filled in with the name of an extruder"
+msgid "Print Selected Model with %1"
+msgid_plural "Print Selected Models with %1"
+msgstr[0] "Imprimer le modèle sélectionné avec %1"
+msgstr[1] "Imprimer les modèles sélectionnés avec %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
+msgctxt "@label:button"
+msgid "My printers"
+msgstr "Mes imprimantes"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
+msgctxt "@tooltip:button"
+msgid "Monitor printers in Ultimaker Digital Factory."
+msgstr "Surveillez les imprimantes dans Ultimaker Digital Factory."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
+msgctxt "@tooltip:button"
+msgid "Create print projects in Digital Library."
+msgstr "Créez des projets d'impression dans Digital Library."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
+msgctxt "@label:button"
+msgid "Print jobs"
+msgstr "Tâches d'impression"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
+msgctxt "@tooltip:button"
+msgid "Monitor print jobs and reprint from your print history."
+msgstr "Surveillez les tâches d'impression et réimprimez à partir de votre historique d'impression."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
+msgctxt "@tooltip:button"
+msgid "Extend Ultimaker Cura with plugins and material profiles."
+msgstr "Étendez Ultimaker Cura avec des plug-ins et des profils de matériaux."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
+msgctxt "@tooltip:button"
+msgid "Become a 3D printing expert with Ultimaker e-learning."
+msgstr "Devenez un expert de l'impression 3D avec les cours de formation en ligne Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
+msgctxt "@label:button"
+msgid "Ultimaker support"
+msgstr "Assistance ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
+msgctxt "@tooltip:button"
+msgid "Learn how to get started with Ultimaker Cura."
+msgstr "Découvrez comment utiliser Ultimaker Cura."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
+msgctxt "@label:button"
+msgid "Ask a question"
+msgstr "Posez une question"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
+msgctxt "@tooltip:button"
+msgid "Consult the Ultimaker Community."
+msgstr "Consultez la communauté Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
+msgctxt "@label:button"
+msgid "Report a bug"
+msgstr "Notifier un bug"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
+msgctxt "@tooltip:button"
+msgid "Let developers know that something is going wrong."
+msgstr "Informez les développeurs en cas de problème."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
+msgctxt "@tooltip:button"
+msgid "Visit the Ultimaker website."
+msgstr "Visitez le site web Ultimaker."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
+msgctxt "@label"
+msgid "Printer control"
+msgstr "Contrôle de l'imprimante"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
+msgctxt "@label"
+msgid "Jog Position"
+msgstr "Position de coupe"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
+msgctxt "@label"
+msgid "X/Y"
+msgstr "X/Y"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
+msgctxt "@label"
+msgid "Z"
+msgstr "Z"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
+msgctxt "@label"
+msgid "Jog Distance"
+msgstr "Distance de coupe"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
+msgctxt "@label"
+msgid "Send G-code"
+msgstr "Envoyer G-Code"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
+msgctxt "@tooltip of G-code command input"
+msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
+msgstr "Envoyer une commande G-Code personnalisée à l'imprimante connectée. Appuyez sur « Entrée » pour envoyer la commande."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
+msgctxt "@label"
+msgid "Extruder"
+msgstr "Extrudeuse"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
+msgctxt "@tooltip"
+msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
+msgstr "Température cible de l'extrémité chauffante. L'extrémité chauffante sera chauffée ou refroidie pour tendre vers cette température. Si la valeur est 0, le chauffage de l'extrémité chauffante sera coupé."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
+msgctxt "@tooltip"
+msgid "The current temperature of this hotend."
+msgstr "Température actuelle de cette extrémité chauffante."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the hotend to."
+msgstr "Température jusqu'à laquelle préchauffer l'extrémité chauffante."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
+msgctxt "@button Cancel pre-heating"
+msgid "Cancel"
+msgstr "Annuler"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
+msgctxt "@button"
+msgid "Pre-heat"
+msgstr "Préchauffer"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
+msgstr "Préchauffez l'extrémité chauffante avant l'impression. Vous pouvez continuer l'ajustement de votre impression pendant qu'elle chauffe, ce qui vous évitera un temps d'attente lorsque vous serez prêt à lancer l'impression."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
+msgctxt "@tooltip"
+msgid "The colour of the material in this extruder."
+msgstr "Couleur du matériau dans cet extrudeur."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
+msgctxt "@tooltip"
+msgid "The material in this extruder."
+msgstr "Matériau dans cet extrudeur."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
+msgctxt "@tooltip"
+msgid "The nozzle inserted in this extruder."
+msgstr "Buse insérée dans cet extrudeur."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
+msgctxt "@info:status"
+msgid "The printer is not connected."
+msgstr "L'imprimante n'est pas connectée."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
+msgctxt "@label"
+msgid "Build plate"
+msgstr "Plateau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
+msgctxt "@tooltip"
+msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
+msgstr "Température cible du plateau chauffant. Le plateau sera chauffé ou refroidi pour tendre vers cette température. Si la valeur est 0, le chauffage du plateau sera éteint."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
+msgctxt "@tooltip"
+msgid "The current temperature of the heated bed."
+msgstr "Température actuelle du plateau chauffant."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
+msgctxt "@tooltip of temperature input"
+msgid "The temperature to pre-heat the bed to."
+msgstr "Température jusqu'à laquelle préchauffer le plateau."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
+msgctxt "@tooltip of pre-heat"
+msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
+msgstr "Préchauffez le plateau avant l'impression. Vous pouvez continuer à ajuster votre impression pendant qu'il chauffe, et vous n'aurez pas à attendre que le plateau chauffe lorsque vous serez prêt à lancer l'impression."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/AccountWidget.qml:24
+msgctxt "@action:button"
+msgid "Sign in"
+msgstr "Se connecter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:42
+msgctxt "@text"
+msgid ""
+"- Add material profiles and plug-ins from the Marketplace\n"
+"- Back-up and sync your material profiles and plug-ins\n"
+"- Share ideas and get help from 48,000+ users in the Ultimaker community"
+msgstr ""
+"- Ajoutez des profils de matériaux et des plug-ins à partir de la Marketplace\n"
+"- Sauvegardez et synchronisez vos profils de matériaux et vos plug-ins\n"
+"- Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:62
+msgctxt "@button"
+msgid "Create a free Ultimaker account"
+msgstr "Créez gratuitement un compte Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:82
+msgctxt "@label The argument is a timestamp"
+msgid "Last update: %1"
+msgstr "Dernière mise à jour : %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:110
+msgctxt "@button"
+msgid "Ultimaker Account"
+msgstr "Compte Ultimaker"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/UserOperations.qml:126
+msgctxt "@button"
+msgid "Sign Out"
+msgstr "Déconnexion"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:28
+msgctxt "@label"
+msgid "Checking..."
+msgstr "Vérification en cours..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:35
+msgctxt "@label"
+msgid "Account synced"
+msgstr "Compte synchronisé"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:42
+msgctxt "@label"
+msgid "Something went wrong..."
+msgstr "Un problème s'est produit..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:96
+msgctxt "@button"
+msgid "Install pending updates"
+msgstr "Installer les mises à jour en attente"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/SyncState.qml:118
+msgctxt "@button"
+msgid "Check for account updates"
+msgstr "Rechercher des mises à jour de compte"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/JobSpecs.qml:99
+msgctxt "@text Print job name"
+msgid "Untitled"
+msgstr "Sans titre"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Widgets/ComboBox.qml:18
+msgctxt "@label"
+msgid "No items to select from"
+msgstr "Aucun élément à sélectionner"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:83
+msgctxt "@action:inmenu"
+msgid "Show Online Troubleshooting Guide"
+msgstr "Afficher le guide de dépannage en ligne"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:90
+msgctxt "@action:inmenu"
+msgid "Toggle Full Screen"
+msgstr "Passer en Plein écran"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:98
+msgctxt "@action:inmenu"
+msgid "Exit Full Screen"
+msgstr "Quitter le mode plein écran"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:105
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Undo"
+msgstr "&Annuler"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:115
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Redo"
+msgstr "&Rétablir"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:133
+msgctxt "@action:inmenu menubar:file"
+msgid "&Quit"
+msgstr "&Quitter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:141
+msgctxt "@action:inmenu menubar:view"
+msgid "3D View"
+msgstr "Vue 3D"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:148
+msgctxt "@action:inmenu menubar:view"
+msgid "Front View"
+msgstr "Vue de face"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:155
+msgctxt "@action:inmenu menubar:view"
+msgid "Top View"
+msgstr "Vue du dessus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:162
+msgctxt "@action:inmenu menubar:view"
+msgid "Bottom View"
+msgstr "Vue de dessous"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:169
+msgctxt "@action:inmenu menubar:view"
+msgid "Left Side View"
+msgstr "Vue latérale gauche"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:176
+msgctxt "@action:inmenu menubar:view"
+msgid "Right Side View"
+msgstr "Vue latérale droite"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:190
+msgctxt "@action:inmenu"
+msgid "Configure Cura..."
+msgstr "Configurer Cura..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:197
+msgctxt "@action:inmenu menubar:printer"
+msgid "&Add Printer..."
+msgstr "&Ajouter une imprimante..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:203
+msgctxt "@action:inmenu menubar:printer"
+msgid "Manage Pr&inters..."
+msgstr "Gérer les &imprimantes..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:210
+msgctxt "@action:inmenu"
+msgid "Manage Materials..."
+msgstr "Gérer les matériaux..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:218
+msgctxt "@action:inmenu"
+msgid "Add more materials from Marketplace"
+msgstr "Ajouter d'autres matériaux du Marketplace"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:225
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Update profile with current settings/overrides"
+msgstr "&Mettre à jour le profil à l'aide des paramètres / forçages actuels"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:233
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Discard current changes"
+msgstr "&Ignorer les modifications actuelles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:245
+msgctxt "@action:inmenu menubar:profile"
+msgid "&Create profile from current settings/overrides..."
+msgstr "&Créer un profil à partir des paramètres / forçages actuels..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:251
+msgctxt "@action:inmenu menubar:profile"
+msgid "Manage Profiles..."
+msgstr "Gérer les profils..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:259
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Online &Documentation"
+msgstr "Afficher la &documentation en ligne"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:267
+msgctxt "@action:inmenu menubar:help"
+msgid "Report a &Bug"
+msgstr "Notifier un &bug"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:275
+msgctxt "@action:inmenu menubar:help"
+msgid "What's New"
+msgstr "Quoi de neuf"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:289
+msgctxt "@action:inmenu menubar:help"
+msgid "About..."
+msgstr "À propos de..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:296
+msgctxt "@action:inmenu menubar:edit"
+msgid "Delete Selected"
+msgstr "Supprimer la sélection"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:306
+msgctxt "@action:inmenu menubar:edit"
+msgid "Center Selected"
+msgstr "Centrer la sélection"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:315
+msgctxt "@action:inmenu menubar:edit"
+msgid "Multiply Selected"
+msgstr "Multiplier la sélection"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:324
+msgctxt "@action:inmenu"
+msgid "Delete Model"
+msgstr "Supprimer le modèle"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:332
+msgctxt "@action:inmenu"
+msgid "Ce&nter Model on Platform"
+msgstr "Ce&ntrer le modèle sur le plateau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:338
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Group Models"
+msgstr "&Grouper les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:358
+msgctxt "@action:inmenu menubar:edit"
+msgid "Ungroup Models"
+msgstr "Dégrouper les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:368
+msgctxt "@action:inmenu menubar:edit"
+msgid "&Merge Models"
+msgstr "&Fusionner les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:378
+msgctxt "@action:inmenu"
+msgid "&Multiply Model..."
+msgstr "&Multiplier le modèle..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:385
+msgctxt "@action:inmenu menubar:edit"
+msgid "Select All Models"
+msgstr "Sélectionner tous les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:395
+msgctxt "@action:inmenu menubar:edit"
+msgid "Clear Build Plate"
+msgstr "Supprimer les objets du plateau"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:405
+msgctxt "@action:inmenu menubar:file"
+msgid "Reload All Models"
+msgstr "Recharger tous les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:414
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models To All Build Plates"
+msgstr "Réorganiser tous les modèles sur tous les plateaux"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:421
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange All Models"
+msgstr "Réorganiser tous les modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:429
+msgctxt "@action:inmenu menubar:edit"
+msgid "Arrange Selection"
+msgstr "Réorganiser la sélection"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:436
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Positions"
+msgstr "Réinitialiser toutes les positions des modèles"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:443
+msgctxt "@action:inmenu menubar:edit"
+msgid "Reset All Model Transformations"
+msgstr "Réinitialiser tous les modèles et transformations"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:452
+msgctxt "@action:inmenu menubar:file"
+msgid "&Open File(s)..."
+msgstr "&Ouvrir le(s) fichier(s)..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:462
+msgctxt "@action:inmenu menubar:file"
+msgid "&New Project..."
+msgstr "&Nouveau projet..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:469
+msgctxt "@action:inmenu menubar:help"
+msgid "Show Configuration Folder"
+msgstr "Afficher le dossier de configuration"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:476
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:535
+msgctxt "@action:menu"
+msgid "Configure setting visibility..."
+msgstr "Configurer la visibilité des paramètres..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Actions.qml:483
+msgctxt "@action:menu"
+msgid "&Marketplace"
+msgstr "&Marché en ligne"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:81
msgctxt "@label"
msgid "This setting is not used because all the settings that it influences are overridden."
msgstr "Ce paramètre n'est pas utilisé car tous les paramètres qu'il influence sont remplacés."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:86
msgctxt "@label Header for list of settings."
msgid "Affects"
msgstr "Touche"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:91
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:91
msgctxt "@label Header for list of settings."
msgid "Affected By"
msgstr "Touché par"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:188
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:188
msgctxt "@label"
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
msgstr "Ce paramètre est toujours partagé par toutes les extrudeuses. Le modifier ici entraînera la modification de la valeur pour toutes les extrudeuses."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:192
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:192
msgctxt "@label"
msgid "This setting is resolved from conflicting extruder-specific values:"
msgstr "Ce paramètre est résolu à partir de valeurs conflictuelles spécifiques à l'extrudeur :"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:232
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:232
msgctxt "@label"
msgid ""
"This setting has a value that is different from the profile.\n"
@@ -5376,7 +5826,7 @@ msgstr ""
"\n"
"Cliquez pour restaurer la valeur du profil."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:332
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingItem.qml:332
msgctxt "@label"
msgid ""
"This setting is normally calculated, but it currently has an absolute value set.\n"
@@ -5387,508 +5837,92 @@ msgstr ""
"\n"
"Cliquez pour restaurer la valeur calculée."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:51
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:51
msgctxt "@label:textbox"
msgid "Search settings"
msgstr "Paramètres de recherche"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:453
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:453
msgctxt "@action:menu"
msgid "Copy value to all extruders"
msgstr "Copier la valeur vers tous les extrudeurs"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:462
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:462
msgctxt "@action:menu"
msgid "Copy all changed values to all extruders"
msgstr "Copier toutes les valeurs modifiées vers toutes les extrudeuses"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:499
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:499
msgctxt "@action:menu"
msgid "Hide this setting"
msgstr "Masquer ce paramètre"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:512
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:512
msgctxt "@action:menu"
msgid "Don't show this setting"
msgstr "Masquer ce paramètre"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:516
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingView.qml:516
msgctxt "@action:menu"
msgid "Keep this setting visible"
msgstr "Afficher ce paramètre"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:27
-msgctxt "@info:tooltip"
-msgid "3D View"
-msgstr "Vue 3D"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:40
-msgctxt "@info:tooltip"
-msgid "Front View"
-msgstr "Vue de face"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:53
-msgctxt "@info:tooltip"
-msgid "Top View"
-msgstr "Vue du dessus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:66
-msgctxt "@info:tooltip"
-msgid "Left View"
-msgstr "Vue gauche"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewOrientationControls.qml:79
-msgctxt "@info:tooltip"
-msgid "Right View"
-msgstr "Vue droite"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ViewsSelector.qml:50
+#: /home/clamboo/Desktop/Cura/resources/qml/Settings/SettingCategory.qml:203
msgctxt "@label"
-msgid "View type"
-msgstr "Type d'affichage"
+msgid ""
+"Some hidden settings use values different from their normal calculated value.\n"
+"\n"
+"Click to make these settings visible."
+msgstr ""
+"Certains paramètres masqués utilisent des valeurs différentes de leur valeur normalement calculée.\n"
+"\n"
+"Cliquez pour rendre ces paramètres visibles."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:257
msgctxt "@label"
-msgid "Add a Cloud printer"
-msgstr "Ajouter une imprimante cloud"
+msgid "This package will be installed after restarting."
+msgstr "Ce paquet sera installé après le redémarrage."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
-msgctxt "@label"
-msgid "Waiting for Cloud response"
-msgstr "En attente d'une réponse cloud"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:471
+msgctxt "@title:tab"
+msgid "Settings"
+msgstr "Paramètres"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
-msgctxt "@label"
-msgid "No printers found in your account?"
-msgstr "Aucune imprimante trouvée dans votre compte ?"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:594
+msgctxt "@title:window %1 is the application name"
+msgid "Closing %1"
+msgstr "Fermeture de %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
-msgctxt "@label"
-msgid "The following printers in your account have been added in Cura:"
-msgstr "Les imprimantes suivantes de votre compte ont été ajoutées à Cura :"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:595
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:607
+msgctxt "@label %1 is the application name"
+msgid "Are you sure you want to exit %1?"
+msgstr "Voulez-vous vraiment quitter %1 ?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
-msgctxt "@button"
-msgid "Add printer manually"
-msgstr "Ajouter l'imprimante manuellement"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:755
+msgctxt "@window:title"
+msgid "Install Package"
+msgstr "Installer le paquet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
-msgctxt "@label"
-msgid "Manufacturer"
-msgstr "Fabricant"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:763
+msgctxt "@title:window"
+msgid "Open File(s)"
+msgstr "Ouvrir le(s) fichier(s)"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
-msgctxt "@label"
-msgid "Profile author"
-msgstr "Auteur du profil"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:766
+msgctxt "@text:window"
+msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
+msgstr "Nous avons trouvé au moins un fichier G-Code parmi les fichiers que vous avez sélectionné. Vous ne pouvez ouvrir qu'un seul fichier G-Code à la fois. Si vous souhaitez ouvrir un fichier G-Code, veuillez ne sélectionner qu'un seul fichier de ce type."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
-msgctxt "@label"
-msgid "Printer name"
-msgstr "Nom de l'imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
-msgctxt "@text"
-msgid "Please name your printer"
-msgstr "Veuillez nommer votre imprimante"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
-msgctxt "@label"
-msgid "Add a printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:875
+msgctxt "@title:window"
+msgid "Add Printer"
msgstr "Ajouter une imprimante"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
-msgctxt "@label"
-msgid "Add a networked printer"
-msgstr "Ajouter une imprimante en réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
-msgctxt "@label"
-msgid "Add a non-networked printer"
-msgstr "Ajouter une imprimante hors réseau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
-msgctxt "@label"
-msgid "There is no printer found over your network."
-msgstr "Aucune imprimante n'a été trouvée sur votre réseau."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
-msgctxt "@label"
-msgid "Refresh"
-msgstr "Rafraîchir"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
-msgctxt "@label"
-msgid "Add printer by IP"
-msgstr "Ajouter une imprimante par IP"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
-msgctxt "@label"
-msgid "Add cloud printer"
-msgstr "Ajouter une imprimante cloud"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
-msgctxt "@label"
-msgid "Troubleshooting"
-msgstr "Dépannage"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
-msgctxt "@label"
-msgid "Add printer by IP address"
-msgstr "Ajouter une imprimante par adresse IP"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
-msgctxt "@text"
-msgid "Enter your printer's IP address."
-msgstr "Saisissez l'adresse IP de votre imprimante."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
-msgctxt "@button"
-msgid "Add"
-msgstr "Ajouter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
-msgctxt "@label"
-msgid "Could not connect to device."
-msgstr "Impossible de se connecter à l'appareil."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
-msgctxt "@label"
-msgid "Can't connect to your Ultimaker printer?"
-msgstr "Impossible de vous connecter à votre imprimante Ultimaker ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
-msgctxt "@label"
-msgid "The printer at this address has not responded yet."
-msgstr "L'imprimante à cette adresse n'a pas encore répondu."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
-msgctxt "@label"
-msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
-msgstr "Cette imprimante ne peut pas être ajoutée parce qu'il s'agit d'une imprimante inconnue ou de l'hôte d'un groupe."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
-msgctxt "@button"
-msgid "Back"
-msgstr "Précédent"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
-msgctxt "@button"
-msgid "Connect"
-msgstr "Se connecter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
-msgctxt "@label"
-msgid "Release Notes"
-msgstr "Notes de version"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:124
-msgctxt "@text"
-msgid "Add material settings and plugins from the Marketplace"
-msgstr "Ajoutez des paramètres de matériaux et des plug-ins depuis la Marketplace"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:154
-msgctxt "@text"
-msgid "Backup and sync your material settings and plugins"
-msgstr "Sauvegardez et synchronisez vos paramètres de matériaux et vos plug-ins"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:184
-msgctxt "@text"
-msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
-msgstr "Partagez vos idées et obtenez l'aide de plus de 48 000 utilisateurs de la communauté Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:202
-msgctxt "@button"
-msgid "Skip"
-msgstr "Ignorer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:214
-msgctxt "@text"
-msgid "Create a free Ultimaker Account"
-msgstr "Créez gratuitement un compte Ultimaker"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
-msgctxt "@label"
-msgid "Help us to improve Ultimaker Cura"
-msgstr "Aidez-nous à améliorer Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
-msgctxt "@text"
-msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
-msgstr "Ultimaker Cura recueille des données anonymes pour améliorer la qualité d'impression et l'expérience utilisateur, notamment :"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
-msgctxt "@text"
-msgid "Machine types"
-msgstr "Types de machines"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
-msgctxt "@text"
-msgid "Material usage"
-msgstr "Utilisation du matériau"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
-msgctxt "@text"
-msgid "Number of slices"
-msgstr "Nombre de découpes"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
-msgctxt "@text"
-msgid "Print settings"
-msgstr "Paramètres d'impression"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
-msgctxt "@text"
-msgid "Data collected by Ultimaker Cura will not contain any personal information."
-msgstr "Les données recueillies par Ultimaker Cura ne contiendront aucun renseignement personnel."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
-msgctxt "@text"
-msgid "More information"
-msgstr "Plus d'informations"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
-msgctxt "@label"
-msgid "Empty"
-msgstr "Vide"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
-msgctxt "@label"
-msgid "User Agreement"
-msgstr "Accord utilisateur"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
-msgctxt "@button"
-msgid "Decline and close"
-msgstr "Décliner et fermer"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
-msgctxt "@label"
-msgid "Welcome to Ultimaker Cura"
-msgstr "Bienvenue dans Ultimaker Cura"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
-msgctxt "@text"
-msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
-msgstr ""
-"Veuillez suivre ces étapes pour configurer\n"
-"Ultimaker Cura. Cela ne prendra que quelques instants."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
-msgctxt "@button"
-msgid "Get started"
-msgstr "Prise en main"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
-msgctxt "@label"
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:883
+msgctxt "@title:window"
msgid "What's New"
-msgstr "Nouveautés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Widgets/ComboBox.qml:18
-msgctxt "@label"
-msgid "No items to select from"
-msgstr "Aucun élément à sélectionner"
-
-#: ModelChecker/plugin.json
-msgctxt "description"
-msgid "Checks models and print configuration for possible printing issues and give suggestions."
-msgstr "Vérifie les modèles et la configuration de l'impression pour déceler d'éventuels problèmes d'impression et donne des suggestions."
-
-#: ModelChecker/plugin.json
-msgctxt "name"
-msgid "Model Checker"
-msgstr "Contrôleur de modèle"
-
-#: 3MFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading 3MF files."
-msgstr "Fournit la prise en charge de la lecture de fichiers 3MF."
-
-#: 3MFReader/plugin.json
-msgctxt "name"
-msgid "3MF Reader"
-msgstr "Lecteur 3MF"
-
-#: 3MFWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for writing 3MF files."
-msgstr "Permet l'écriture de fichiers 3MF."
-
-#: 3MFWriter/plugin.json
-msgctxt "name"
-msgid "3MF Writer"
-msgstr "Générateur 3MF"
-
-#: AMFReader/plugin.json
-msgctxt "description"
-msgid "Provides support for reading AMF files."
-msgstr "Fournit la prise en charge de la lecture de fichiers AMF."
-
-#: AMFReader/plugin.json
-msgctxt "name"
-msgid "AMF Reader"
-msgstr "Lecteur AMF"
-
-#: CuraDrive/plugin.json
-msgctxt "description"
-msgid "Backup and restore your configuration."
-msgstr "Sauvegardez et restaurez votre configuration."
-
-#: CuraDrive/plugin.json
-msgctxt "name"
-msgid "Cura Backups"
-msgstr "Sauvegardes Cura"
-
-#: CuraEngineBackend/plugin.json
-msgctxt "description"
-msgid "Provides the link to the CuraEngine slicing backend."
-msgstr "Fournit le lien vers l'arrière du système de découpage CuraEngine."
-
-#: CuraEngineBackend/plugin.json
-msgctxt "name"
-msgid "CuraEngine Backend"
-msgstr "Système CuraEngine"
-
-#: CuraProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing Cura profiles."
-msgstr "Fournit la prise en charge de l'importation de profils Cura."
-
-#: CuraProfileReader/plugin.json
-msgctxt "name"
-msgid "Cura Profile Reader"
-msgstr "Lecteur de profil Cura"
-
-#: CuraProfileWriter/plugin.json
-msgctxt "description"
-msgid "Provides support for exporting Cura profiles."
-msgstr "Fournit la prise en charge de l'exportation de profils Cura."
-
-#: CuraProfileWriter/plugin.json
-msgctxt "name"
-msgid "Cura Profile Writer"
-msgstr "Générateur de profil Cura"
-
-#: DigitalLibrary/plugin.json
-msgctxt "description"
-msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
-msgstr "Se connecte à la Digital Library, permettant à Cura d'ouvrir des fichiers à partir de cette dernière et d'y enregistrer des fichiers."
-
-#: DigitalLibrary/plugin.json
-msgctxt "name"
-msgid "Ultimaker Digital Library"
-msgstr "Ultimaker Digital Library"
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "description"
-msgid "Checks for firmware updates."
-msgstr "Vérifie les mises à jour du firmware."
-
-#: FirmwareUpdateChecker/plugin.json
-msgctxt "name"
-msgid "Firmware Update Checker"
-msgstr "Vérificateur des mises à jour du firmware"
-
-#: FirmwareUpdater/plugin.json
-msgctxt "description"
-msgid "Provides a machine actions for updating firmware."
-msgstr "Fournit à une machine des actions permettant la mise à jour du firmware."
-
-#: FirmwareUpdater/plugin.json
-msgctxt "name"
-msgid "Firmware Updater"
-msgstr "Programme de mise à jour du firmware"
-
-#: GCodeGzReader/plugin.json
-msgctxt "description"
-msgid "Reads g-code from a compressed archive."
-msgstr "Lit le G-Code à partir d'une archive compressée."
-
-#: GCodeGzReader/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Reader"
-msgstr "Lecteur G-Code compressé"
-
-#: GCodeGzWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a compressed archive."
-msgstr "Enregistre le G-Code dans une archive compressée."
-
-#: GCodeGzWriter/plugin.json
-msgctxt "name"
-msgid "Compressed G-code Writer"
-msgstr "Générateur de G-Code compressé"
-
-#: GCodeProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from g-code files."
-msgstr "Fournit la prise en charge de l'importation de profils à partir de fichiers g-code."
-
-#: GCodeProfileReader/plugin.json
-msgctxt "name"
-msgid "G-code Profile Reader"
-msgstr "Lecteur de profil G-Code"
-
-#: GCodeReader/plugin.json
-msgctxt "description"
-msgid "Allows loading and displaying G-code files."
-msgstr "Permet le chargement et l'affichage de fichiers G-Code."
-
-#: GCodeReader/plugin.json
-msgctxt "name"
-msgid "G-code Reader"
-msgstr "Lecteur G-Code"
-
-#: GCodeWriter/plugin.json
-msgctxt "description"
-msgid "Writes g-code to a file."
-msgstr "Enregistre le G-Code dans un fichier."
-
-#: GCodeWriter/plugin.json
-msgctxt "name"
-msgid "G-code Writer"
-msgstr "Générateur de G-Code"
-
-#: ImageReader/plugin.json
-msgctxt "description"
-msgid "Enables ability to generate printable geometry from 2D image files."
-msgstr "Permet de générer une géométrie imprimable à partir de fichiers d'image 2D."
-
-#: ImageReader/plugin.json
-msgctxt "name"
-msgid "Image Reader"
-msgstr "Lecteur d'images"
-
-#: LegacyProfileReader/plugin.json
-msgctxt "description"
-msgid "Provides support for importing profiles from legacy Cura versions."
-msgstr "Fournit la prise en charge de l'importation de profils à partir de versions Cura antérieures."
-
-#: LegacyProfileReader/plugin.json
-msgctxt "name"
-msgid "Legacy Cura Profile Reader"
-msgstr "Lecteur de profil Cura antérieur"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "description"
-msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
-msgstr "Permet de modifier les paramètres de la machine (tels que volume d'impression, taille de buse, etc.)"
-
-#: MachineSettingsAction/plugin.json
-msgctxt "name"
-msgid "Machine Settings Action"
-msgstr "Action Paramètres de la machine"
-
-#: MonitorStage/plugin.json
-msgctxt "description"
-msgid "Provides a monitor stage in Cura."
-msgstr "Fournit une étape de surveillance dans Cura."
-
-#: MonitorStage/plugin.json
-msgctxt "name"
-msgid "Monitor Stage"
-msgstr "Étape de surveillance"
+msgstr "Quoi de neuf"
#: PerObjectSettingsTool/plugin.json
msgctxt "description"
@@ -5900,85 +5934,45 @@ msgctxt "name"
msgid "Per Model Settings Tool"
msgstr "Outil de paramètres par modèle"
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "description"
-msgid "Extension that allows for user created scripts for post processing"
-msgstr "Extension qui permet le post-traitement des scripts créés par l'utilisateur"
+msgid "Provides support for importing Cura profiles."
+msgstr "Fournit la prise en charge de l'importation de profils Cura."
-#: PostProcessingPlugin/plugin.json
+#: CuraProfileReader/plugin.json
msgctxt "name"
-msgid "Post Processing"
-msgstr "Post-traitement"
+msgid "Cura Profile Reader"
+msgstr "Lecteur de profil Cura"
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "description"
-msgid "Provides a prepare stage in Cura."
-msgstr "Fournit une étape de préparation dans Cura."
+msgid "Provides support for reading X3D files."
+msgstr "Fournit la prise en charge de la lecture de fichiers X3D."
-#: PrepareStage/plugin.json
+#: X3DReader/plugin.json
msgctxt "name"
-msgid "Prepare Stage"
-msgstr "Étape de préparation"
+msgid "X3D Reader"
+msgstr "Lecteur X3D"
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "description"
-msgid "Provides a preview stage in Cura."
-msgstr "Fournit une étape de prévisualisation dans Cura."
+msgid "Backup and restore your configuration."
+msgstr "Sauvegardez et restaurez votre configuration."
-#: PreviewStage/plugin.json
+#: CuraDrive/plugin.json
msgctxt "name"
-msgid "Preview Stage"
-msgstr "Étape de prévisualisation"
+msgid "Cura Backups"
+msgstr "Sauvegardes Cura"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "description"
-msgid "Provides removable drive hotplugging and writing support."
-msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible."
+msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
+msgstr "Permet de modifier les paramètres de la machine (tels que volume d'impression, taille de buse, etc.)"
-#: RemovableDriveOutputDevice/plugin.json
+#: MachineSettingsAction/plugin.json
msgctxt "name"
-msgid "Removable Drive Output Device Plugin"
-msgstr "Plugin de périphérique de sortie sur disque amovible"
-
-#: SentryLogger/plugin.json
-msgctxt "description"
-msgid "Logs certain events so that they can be used by the crash reporter"
-msgstr "Enregistre certains événements afin qu'ils puissent être utilisés par le rapporteur d'incident"
-
-#: SentryLogger/plugin.json
-msgctxt "name"
-msgid "Sentry Logger"
-msgstr "Journal d'événements dans Sentry"
-
-#: SimulationView/plugin.json
-msgctxt "description"
-msgid "Provides the Simulation view."
-msgstr "Fournit la Vue simulation."
-
-#: SimulationView/plugin.json
-msgctxt "name"
-msgid "Simulation View"
-msgstr "Vue simulation"
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "description"
-msgid "Submits anonymous slice info. Can be disabled through preferences."
-msgstr "Envoie des informations anonymes sur le découpage. Peut être désactivé dans les préférences."
-
-#: SliceInfoPlugin/plugin.json
-msgctxt "name"
-msgid "Slice info"
-msgstr "Information sur le découpage"
-
-#: SolidView/plugin.json
-msgctxt "description"
-msgid "Provides a normal solid mesh view."
-msgstr "Affiche une vue en maille solide normale."
-
-#: SolidView/plugin.json
-msgctxt "name"
-msgid "Solid View"
-msgstr "Vue solide"
+msgid "Machine Settings Action"
+msgstr "Action Paramètres de la machine"
#: SupportEraser/plugin.json
msgctxt "description"
@@ -5990,35 +5984,45 @@ msgctxt "name"
msgid "Support Eraser"
msgstr "Effaceur de support"
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "description"
-msgid "Find, manage and install new Cura packages."
-msgstr "Rechercher, gérer et installer de nouveaux paquets Cura."
+msgid "Provides removable drive hotplugging and writing support."
+msgstr "Permet le branchement hot-plug et l'écriture sur lecteur amovible."
-#: Toolbox/plugin.json
+#: RemovableDriveOutputDevice/plugin.json
msgctxt "name"
-msgid "Toolbox"
-msgstr "Boîte à outils"
+msgid "Removable Drive Output Device Plugin"
+msgstr "Plugin de périphérique de sortie sur disque amovible"
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "description"
-msgid "Provides support for reading model files."
-msgstr "Fournit la prise en charge de la lecture de fichiers modèle 3D."
+msgid "Provides a machine actions for updating firmware."
+msgstr "Fournit à une machine des actions permettant la mise à jour du firmware."
-#: TrimeshReader/plugin.json
+#: FirmwareUpdater/plugin.json
msgctxt "name"
-msgid "Trimesh Reader"
-msgstr "Lecteur de Trimesh"
+msgid "Firmware Updater"
+msgstr "Programme de mise à jour du firmware"
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "description"
-msgid "Provides support for reading Ultimaker Format Packages."
-msgstr "Fournit un support pour la lecture des paquets de format Ultimaker."
+msgid "Provides support for importing profiles from legacy Cura versions."
+msgstr "Fournit la prise en charge de l'importation de profils à partir de versions Cura antérieures."
-#: UFPReader/plugin.json
+#: LegacyProfileReader/plugin.json
msgctxt "name"
-msgid "UFP Reader"
-msgstr "Lecteur UFP"
+msgid "Legacy Cura Profile Reader"
+msgstr "Lecteur de profil Cura antérieur"
+
+#: 3MFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading 3MF files."
+msgstr "Fournit la prise en charge de la lecture de fichiers 3MF."
+
+#: 3MFReader/plugin.json
+msgctxt "name"
+msgid "3MF Reader"
+msgstr "Lecteur 3MF"
#: UFPWriter/plugin.json
msgctxt "description"
@@ -6030,25 +6034,95 @@ msgctxt "name"
msgid "UFP Writer"
msgstr "Générateur UFP"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "description"
-msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
-msgstr "Fournit les actions de la machine pour les machines Ultimaker (telles que l'assistant de calibration du plateau, sélection des mises à niveau, etc.)"
+msgid "Logs certain events so that they can be used by the crash reporter"
+msgstr "Enregistre certains événements afin qu'ils puissent être utilisés par le rapporteur d'incident"
-#: UltimakerMachineActions/plugin.json
+#: SentryLogger/plugin.json
msgctxt "name"
-msgid "Ultimaker machine actions"
-msgstr "Actions de la machine Ultimaker"
+msgid "Sentry Logger"
+msgstr "Journal d'événements dans Sentry"
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "description"
-msgid "Manages network connections to Ultimaker networked printers."
-msgstr "Gère les connexions réseau vers les imprimantes Ultimaker en réseau."
+msgid "Provides support for importing profiles from g-code files."
+msgstr "Fournit la prise en charge de l'importation de profils à partir de fichiers g-code."
-#: UM3NetworkPrinting/plugin.json
+#: GCodeProfileReader/plugin.json
msgctxt "name"
-msgid "Ultimaker Network Connection"
-msgstr "Connexion réseau Ultimaker"
+msgid "G-code Profile Reader"
+msgstr "Lecteur de profil G-Code"
+
+#: PreviewStage/plugin.json
+msgctxt "description"
+msgid "Provides a preview stage in Cura."
+msgstr "Fournit une étape de prévisualisation dans Cura."
+
+#: PreviewStage/plugin.json
+msgctxt "name"
+msgid "Preview Stage"
+msgstr "Étape de prévisualisation"
+
+#: XRayView/plugin.json
+msgctxt "description"
+msgid "Provides the X-Ray view."
+msgstr "Permet la vue Rayon-X."
+
+#: XRayView/plugin.json
+msgctxt "name"
+msgid "X-Ray View"
+msgstr "Vue Rayon-X"
+
+#: CuraEngineBackend/plugin.json
+msgctxt "description"
+msgid "Provides the link to the CuraEngine slicing backend."
+msgstr "Fournit le lien vers l'arrière du système de découpage CuraEngine."
+
+#: CuraEngineBackend/plugin.json
+msgctxt "name"
+msgid "CuraEngine Backend"
+msgstr "Système CuraEngine"
+
+#: AMFReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading AMF files."
+msgstr "Fournit la prise en charge de la lecture de fichiers AMF."
+
+#: AMFReader/plugin.json
+msgctxt "name"
+msgid "AMF Reader"
+msgstr "Lecteur AMF"
+
+#: GCodeGzReader/plugin.json
+msgctxt "description"
+msgid "Reads g-code from a compressed archive."
+msgstr "Lit le G-Code à partir d'une archive compressée."
+
+#: GCodeGzReader/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Reader"
+msgstr "Lecteur G-Code compressé"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "description"
+msgid "Extension that allows for user created scripts for post processing"
+msgstr "Extension qui permet le post-traitement des scripts créés par l'utilisateur"
+
+#: PostProcessingPlugin/plugin.json
+msgctxt "name"
+msgid "Post Processing"
+msgstr "Post-traitement"
+
+#: CuraProfileWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for exporting Cura profiles."
+msgstr "Fournit la prise en charge de l'exportation de profils Cura."
+
+#: CuraProfileWriter/plugin.json
+msgctxt "name"
+msgid "Cura Profile Writer"
+msgstr "Générateur de profil Cura"
#: USBPrinting/plugin.json
msgctxt "description"
@@ -6060,25 +6134,135 @@ msgctxt "name"
msgid "USB printing"
msgstr "Impression par USB"
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
-msgstr "Configurations des mises à niveau de Cura 2.1 vers Cura 2.2."
+msgid "Provides a prepare stage in Cura."
+msgstr "Fournit une étape de préparation dans Cura."
-#: VersionUpgrade/VersionUpgrade21to22/plugin.json
+#: PrepareStage/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.1 to 2.2"
-msgstr "Mise à niveau vers 2.1 vers 2.2"
+msgid "Prepare Stage"
+msgstr "Étape de préparation"
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
-msgstr "Configurations des mises à niveau de Cura 2.2 vers Cura 2.4."
+msgid "Allows loading and displaying G-code files."
+msgstr "Permet le chargement et l'affichage de fichiers G-Code."
-#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+#: GCodeReader/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.2 to 2.4"
-msgstr "Mise à niveau de 2.2 vers 2.4"
+msgid "G-code Reader"
+msgstr "Lecteur G-Code"
+
+#: ImageReader/plugin.json
+msgctxt "description"
+msgid "Enables ability to generate printable geometry from 2D image files."
+msgstr "Permet de générer une géométrie imprimable à partir de fichiers d'image 2D."
+
+#: ImageReader/plugin.json
+msgctxt "name"
+msgid "Image Reader"
+msgstr "Lecteur d'images"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "description"
+msgid "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.)."
+msgstr "Fournit les actions de la machine pour les machines Ultimaker (telles que l'assistant de calibration du plateau, sélection des mises à niveau, etc.)"
+
+#: UltimakerMachineActions/plugin.json
+msgctxt "name"
+msgid "Ultimaker machine actions"
+msgstr "Actions de la machine Ultimaker"
+
+#: GCodeGzWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a compressed archive."
+msgstr "Enregistre le G-Code dans une archive compressée."
+
+#: GCodeGzWriter/plugin.json
+msgctxt "name"
+msgid "Compressed G-code Writer"
+msgstr "Générateur de G-Code compressé"
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "description"
+msgid "Checks for firmware updates."
+msgstr "Vérifie les mises à jour du firmware."
+
+#: FirmwareUpdateChecker/plugin.json
+msgctxt "name"
+msgid "Firmware Update Checker"
+msgstr "Vérificateur des mises à jour du firmware"
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "description"
+msgid "Submits anonymous slice info. Can be disabled through preferences."
+msgstr "Envoie des informations anonymes sur le découpage. Peut être désactivé dans les préférences."
+
+#: SliceInfoPlugin/plugin.json
+msgctxt "name"
+msgid "Slice info"
+msgstr "Information sur le découpage"
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "description"
+msgid "Provides capabilities to read and write XML-based material profiles."
+msgstr "Offre la possibilité de lire et d'écrire des profils matériels basés sur XML."
+
+#: XmlMaterialProfile/plugin.json
+msgctxt "name"
+msgid "Material Profiles"
+msgstr "Profils matériels"
+
+#: DigitalLibrary/plugin.json
+msgctxt "description"
+msgid "Connects to the Digital Library, allowing Cura to open files from and save files to the Digital Library."
+msgstr "Se connecte à la Digital Library, permettant à Cura d'ouvrir des fichiers à partir de cette dernière et d'y enregistrer des fichiers."
+
+#: DigitalLibrary/plugin.json
+msgctxt "name"
+msgid "Ultimaker Digital Library"
+msgstr "Ultimaker Digital Library"
+
+#: Toolbox/plugin.json
+msgctxt "description"
+msgid "Find, manage and install new Cura packages."
+msgstr "Rechercher, gérer et installer de nouveaux paquets Cura."
+
+#: Toolbox/plugin.json
+msgctxt "name"
+msgid "Toolbox"
+msgstr "Boîte à outils"
+
+#: GCodeWriter/plugin.json
+msgctxt "description"
+msgid "Writes g-code to a file."
+msgstr "Enregistre le G-Code dans un fichier."
+
+#: GCodeWriter/plugin.json
+msgctxt "name"
+msgid "G-code Writer"
+msgstr "Générateur de G-Code"
+
+#: SimulationView/plugin.json
+msgctxt "description"
+msgid "Provides the Simulation view."
+msgstr "Fournit la Vue simulation."
+
+#: SimulationView/plugin.json
+msgctxt "name"
+msgid "Simulation View"
+msgstr "Vue simulation"
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
+msgstr "Mises à niveau des configurations de Cura 4.5 vers Cura 4.6."
+
+#: VersionUpgrade/VersionUpgrade45to46/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.5 to 4.6"
+msgstr "Mise à niveau de 4.5 vers 4.6"
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
msgctxt "description"
@@ -6090,55 +6274,25 @@ msgctxt "name"
msgid "Version Upgrade 2.5 to 2.6"
msgstr "Mise à niveau de 2.5 vers 2.6"
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
-msgstr "Configurations des mises à niveau de Cura 2.6 vers Cura 2.7."
+msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
+msgstr "Mises à niveau des configurations de Cura 4.6.0 vers Cura 4.6.2."
-#: VersionUpgrade/VersionUpgrade26to27/plugin.json
+#: VersionUpgrade/VersionUpgrade460to462/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.6 to 2.7"
-msgstr "Mise à niveau de 2.6 vers 2.7"
+msgid "Version Upgrade 4.6.0 to 4.6.2"
+msgstr "Mise à niveau de 4.6.0 vers 4.6.2"
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
-msgstr "Met à niveau les configurations, de Cura 2.7 vers Cura 3.0."
+msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
+msgstr "Mises à niveau des configurations de Cura 4.7 vers Cura 4.8."
-#: VersionUpgrade/VersionUpgrade27to30/plugin.json
+#: VersionUpgrade/VersionUpgrade47to48/plugin.json
msgctxt "name"
-msgid "Version Upgrade 2.7 to 3.0"
-msgstr "Mise à niveau de version, de 2.7 vers 3.0"
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
-msgstr "Met à niveau les configurations, de Cura 3.0 vers Cura 3.1."
-
-#: VersionUpgrade/VersionUpgrade30to31/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.0 to 3.1"
-msgstr "Mise à niveau de version, de 3.0 vers 3.1"
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
-msgstr "Configurations des mises à niveau de Cura 3.2 vers Cura 3.3."
-
-#: VersionUpgrade/VersionUpgrade32to33/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.2 to 3.3"
-msgstr "Mise à niveau de 3.2 vers 3.3"
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
-msgstr "Configurations des mises à niveau de Cura 3.3 vers Cura 3.4."
-
-#: VersionUpgrade/VersionUpgrade33to34/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 3.3 to 3.4"
-msgstr "Mise à niveau de 3.3 vers 3.4"
+msgid "Version Upgrade 4.7 to 4.8"
+msgstr "Mise à niveau de 4.7 vers 4.8"
#: VersionUpgrade/VersionUpgrade34to35/plugin.json
msgctxt "description"
@@ -6150,45 +6304,45 @@ msgctxt "name"
msgid "Version Upgrade 3.4 to 3.5"
msgstr "Mise à niveau de 3.4 vers 3.5"
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
-msgstr "Configurations des mises à niveau de Cura 3.5 vers Cura 4.0."
+msgid "Upgrades configurations from Cura 2.1 to Cura 2.2."
+msgstr "Configurations des mises à niveau de Cura 2.1 vers Cura 2.2."
-#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+#: VersionUpgrade/VersionUpgrade21to22/plugin.json
msgctxt "name"
-msgid "Version Upgrade 3.5 to 4.0"
-msgstr "Mise à niveau de 3.5 vers 4.0"
+msgid "Version Upgrade 2.1 to 2.2"
+msgstr "Mise à niveau vers 2.1 vers 2.2"
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
-msgstr "Configurations des mises à niveau de Cura 4.0 vers Cura 4.1."
+msgid "Upgrades configurations from Cura 3.2 to Cura 3.3."
+msgstr "Configurations des mises à niveau de Cura 3.2 vers Cura 3.3."
-#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+#: VersionUpgrade/VersionUpgrade32to33/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.0 to 4.1"
-msgstr "Mise à niveau de 4.0 vers 4.1"
+msgid "Version Upgrade 3.2 to 3.3"
+msgstr "Mise à niveau de 3.2 vers 3.3"
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
-msgstr ""
+msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
+msgstr "Mises à niveau des configurations de Cura 4.8 vers Cura 4.9."
-#: VersionUpgrade/VersionUpgrade411to412/plugin.json
+#: VersionUpgrade/VersionUpgrade48to49/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.11 to 4.12"
-msgstr ""
+msgid "Version Upgrade 4.8 to 4.9"
+msgstr "Mise à niveau de 4.8 vers 4.9"
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "description"
-msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
-msgstr "Configurations des mises à jour de Cura 4.1 vers Cura 4.2."
+msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
+msgstr "Mises à niveau des configurations de Cura 4.6.2 vers Cura 4.7."
-#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+#: VersionUpgrade/VersionUpgrade462to47/plugin.json
msgctxt "name"
-msgid "Version Upgrade 4.1 to 4.2"
-msgstr "Mise à jour de 4.1 vers 4.2"
+msgid "Version Upgrade 4.6.2 to 4.7"
+msgstr "Mise à niveau de 4.6.2 vers 4.7"
#: VersionUpgrade/VersionUpgrade42to43/plugin.json
msgctxt "description"
@@ -6210,66 +6364,6 @@ msgctxt "name"
msgid "Version Upgrade 4.3 to 4.4"
msgstr "Mise à niveau de 4.3 vers 4.4"
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
-msgstr "Configurations des mises à niveau de Cura 4.4 vers Cura 4.5."
-
-#: VersionUpgrade/VersionUpgrade44to45/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.4 to 4.5"
-msgstr "Mise à niveau de 4.4 vers 4.5"
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.5 to Cura 4.6."
-msgstr "Mises à niveau des configurations de Cura 4.5 vers Cura 4.6."
-
-#: VersionUpgrade/VersionUpgrade45to46/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.5 to 4.6"
-msgstr "Mise à niveau de 4.5 vers 4.6"
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.0 to Cura 4.6.2."
-msgstr "Mises à niveau des configurations de Cura 4.6.0 vers Cura 4.6.2."
-
-#: VersionUpgrade/VersionUpgrade460to462/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.0 to 4.6.2"
-msgstr "Mise à niveau de 4.6.0 vers 4.6.2"
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.6.2 to Cura 4.7."
-msgstr "Mises à niveau des configurations de Cura 4.6.2 vers Cura 4.7."
-
-#: VersionUpgrade/VersionUpgrade462to47/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.6.2 to 4.7"
-msgstr "Mise à niveau de 4.6.2 vers 4.7"
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.7 to Cura 4.8."
-msgstr "Mises à niveau des configurations de Cura 4.7 vers Cura 4.8."
-
-#: VersionUpgrade/VersionUpgrade47to48/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.7 to 4.8"
-msgstr "Mise à niveau de 4.7 vers 4.8"
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "description"
-msgid "Upgrades configurations from Cura 4.8 to Cura 4.9."
-msgstr "Mises à niveau des configurations de Cura 4.8 vers Cura 4.9."
-
-#: VersionUpgrade/VersionUpgrade48to49/plugin.json
-msgctxt "name"
-msgid "Version Upgrade 4.8 to 4.9"
-msgstr "Mise à niveau de 4.8 vers 4.9"
-
#: VersionUpgrade/VersionUpgrade49to410/plugin.json
msgctxt "description"
msgid "Upgrades configurations from Cura 4.9 to Cura 4.10."
@@ -6280,35 +6374,175 @@ msgctxt "name"
msgid "Version Upgrade 4.9 to 4.10"
msgstr "Mise à niveau de 4.9 vers 4.10"
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "description"
-msgid "Provides support for reading X3D files."
-msgstr "Fournit la prise en charge de la lecture de fichiers X3D."
+msgid "Upgrades configurations from Cura 2.7 to Cura 3.0."
+msgstr "Met à niveau les configurations, de Cura 2.7 vers Cura 3.0."
-#: X3DReader/plugin.json
+#: VersionUpgrade/VersionUpgrade27to30/plugin.json
msgctxt "name"
-msgid "X3D Reader"
-msgstr "Lecteur X3D"
+msgid "Version Upgrade 2.7 to 3.0"
+msgstr "Mise à niveau de version, de 2.7 vers 3.0"
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "description"
-msgid "Provides capabilities to read and write XML-based material profiles."
-msgstr "Offre la possibilité de lire et d'écrire des profils matériels basés sur XML."
+msgid "Upgrades configurations from Cura 2.6 to Cura 2.7."
+msgstr "Configurations des mises à niveau de Cura 2.6 vers Cura 2.7."
-#: XmlMaterialProfile/plugin.json
+#: VersionUpgrade/VersionUpgrade26to27/plugin.json
msgctxt "name"
-msgid "Material Profiles"
-msgstr "Profils matériels"
+msgid "Version Upgrade 2.6 to 2.7"
+msgstr "Mise à niveau de 2.6 vers 2.7"
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "description"
-msgid "Provides the X-Ray view."
-msgstr "Permet la vue Rayon-X."
+msgid "Upgrades configurations from Cura 4.11 to Cura 4.12."
+msgstr "Mises à niveau des configurations de Cura 4.11 vers Cura 4.12."
-#: XRayView/plugin.json
+#: VersionUpgrade/VersionUpgrade411to412/plugin.json
msgctxt "name"
-msgid "X-Ray View"
-msgstr "Vue Rayon-X"
+msgid "Version Upgrade 4.11 to 4.12"
+msgstr "Mise à niveau de la version 4.11 vers la version 4.12"
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.3 to Cura 3.4."
+msgstr "Configurations des mises à niveau de Cura 3.3 vers Cura 3.4."
+
+#: VersionUpgrade/VersionUpgrade33to34/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.3 to 3.4"
+msgstr "Mise à niveau de 3.3 vers 3.4"
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.0 to Cura 3.1."
+msgstr "Met à niveau les configurations, de Cura 3.0 vers Cura 3.1."
+
+#: VersionUpgrade/VersionUpgrade30to31/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.0 to 3.1"
+msgstr "Mise à niveau de version, de 3.0 vers 3.1"
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.0 to Cura 4.1."
+msgstr "Configurations des mises à niveau de Cura 4.0 vers Cura 4.1."
+
+#: VersionUpgrade/VersionUpgrade40to41/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.0 to 4.1"
+msgstr "Mise à niveau de 4.0 vers 4.1"
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.4 to Cura 4.5."
+msgstr "Configurations des mises à niveau de Cura 4.4 vers Cura 4.5."
+
+#: VersionUpgrade/VersionUpgrade44to45/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.4 to 4.5"
+msgstr "Mise à niveau de 4.4 vers 4.5"
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 2.2 to Cura 2.4."
+msgstr "Configurations des mises à niveau de Cura 2.2 vers Cura 2.4."
+
+#: VersionUpgrade/VersionUpgrade22to24/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 2.2 to 2.4"
+msgstr "Mise à niveau de 2.2 vers 2.4"
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 4.1 to Cura 4.2."
+msgstr "Configurations des mises à jour de Cura 4.1 vers Cura 4.2."
+
+#: VersionUpgrade/VersionUpgrade41to42/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 4.1 to 4.2"
+msgstr "Mise à jour de 4.1 vers 4.2"
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "description"
+msgid "Upgrades configurations from Cura 3.5 to Cura 4.0."
+msgstr "Configurations des mises à niveau de Cura 3.5 vers Cura 4.0."
+
+#: VersionUpgrade/VersionUpgrade35to40/plugin.json
+msgctxt "name"
+msgid "Version Upgrade 3.5 to 4.0"
+msgstr "Mise à niveau de 3.5 vers 4.0"
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "description"
+msgid "Manages network connections to Ultimaker networked printers."
+msgstr "Gère les connexions réseau vers les imprimantes Ultimaker en réseau."
+
+#: UM3NetworkPrinting/plugin.json
+msgctxt "name"
+msgid "Ultimaker Network Connection"
+msgstr "Connexion réseau Ultimaker"
+
+#: TrimeshReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading model files."
+msgstr "Fournit la prise en charge de la lecture de fichiers modèle 3D."
+
+#: TrimeshReader/plugin.json
+msgctxt "name"
+msgid "Trimesh Reader"
+msgstr "Lecteur de Trimesh"
+
+#: UFPReader/plugin.json
+msgctxt "description"
+msgid "Provides support for reading Ultimaker Format Packages."
+msgstr "Fournit un support pour la lecture des paquets de format Ultimaker."
+
+#: UFPReader/plugin.json
+msgctxt "name"
+msgid "UFP Reader"
+msgstr "Lecteur UFP"
+
+#: SolidView/plugin.json
+msgctxt "description"
+msgid "Provides a normal solid mesh view."
+msgstr "Affiche une vue en maille solide normale."
+
+#: SolidView/plugin.json
+msgctxt "name"
+msgid "Solid View"
+msgstr "Vue solide"
+
+#: 3MFWriter/plugin.json
+msgctxt "description"
+msgid "Provides support for writing 3MF files."
+msgstr "Permet l'écriture de fichiers 3MF."
+
+#: 3MFWriter/plugin.json
+msgctxt "name"
+msgid "3MF Writer"
+msgstr "Générateur 3MF"
+
+#: MonitorStage/plugin.json
+msgctxt "description"
+msgid "Provides a monitor stage in Cura."
+msgstr "Fournit une étape de surveillance dans Cura."
+
+#: MonitorStage/plugin.json
+msgctxt "name"
+msgid "Monitor Stage"
+msgstr "Étape de surveillance"
+
+#: ModelChecker/plugin.json
+msgctxt "description"
+msgid "Checks models and print configuration for possible printing issues and give suggestions."
+msgstr "Vérifie les modèles et la configuration de l'impression pour déceler d'éventuels problèmes d'impression et donne des suggestions."
+
+#: ModelChecker/plugin.json
+msgctxt "name"
+msgid "Model Checker"
+msgstr "Contrôleur de modèle"
#~ msgctxt "@info:status"
#~ msgid "Send and monitor print jobs from anywhere using your Ultimaker account."
diff --git a/resources/i18n/fr_FR/fdmextruder.def.json.po b/resources/i18n/fr_FR/fdmextruder.def.json.po
index 87c6f93d75..6910d7a71c 100644
--- a/resources/i18n/fr_FR/fdmextruder.def.json.po
+++ b/resources/i18n/fr_FR/fdmextruder.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 12:00+0000\n"
"PO-Revision-Date: 2021-04-16 15:16+0200\n"
"Last-Translator: Bothof \n"
"Language-Team: French\n"
diff --git a/resources/i18n/fr_FR/fdmprinter.def.json.po b/resources/i18n/fr_FR/fdmprinter.def.json.po
index 135b0b2206..3da9db64a4 100644
--- a/resources/i18n/fr_FR/fdmprinter.def.json.po
+++ b/resources/i18n/fr_FR/fdmprinter.def.json.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0000\n"
+"POT-Creation-Date: 2021-12-10 11:59+0000\n"
"PO-Revision-Date: 2021-04-16 15:16+0200\n"
"Last-Translator: Lionbridge \n"
"Language-Team: French , French \n"
@@ -57,8 +57,6 @@ msgid ""
"G-code commands to be executed at the very start - separated by \n"
"."
msgstr ""
-"Commandes G-Code à exécuter au tout début, séparées par \n"
-"."
#: fdmprinter.def.json
msgctxt "machine_end_gcode label"
@@ -71,8 +69,6 @@ msgid ""
"G-code commands to be executed at the very end - separated by \n"
"."
msgstr ""
-"Commandes G-Code à exécuter tout à la fin, séparées par \n"
-"."
#: fdmprinter.def.json
msgctxt "material_guid label"
@@ -154,6 +150,16 @@ msgctxt "machine_depth description"
msgid "The depth (Y-direction) of the printable area."
msgstr "La profondeur (sens Y) de la zone imprimable."
+#: fdmprinter.def.json
+msgctxt "machine_height label"
+msgid "Machine Height"
+msgstr "Hauteur de la machine"
+
+#: fdmprinter.def.json
+msgctxt "machine_height description"
+msgid "The height (Z-direction) of the printable area."
+msgstr "La hauteur (sens Z) de la zone imprimable."
+
#: fdmprinter.def.json
msgctxt "machine_shape label"
msgid "Build Plate Shape"
@@ -194,16 +200,6 @@ msgctxt "machine_buildplate_type option aluminum"
msgid "Aluminum"
msgstr "Aluminium"
-#: fdmprinter.def.json
-msgctxt "machine_height label"
-msgid "Machine Height"
-msgstr "Hauteur de la machine"
-
-#: fdmprinter.def.json
-msgctxt "machine_height description"
-msgid "The height (Z-direction) of the printable area."
-msgstr "La hauteur (sens Z) de la zone imprimable."
-
#: fdmprinter.def.json
msgctxt "machine_heated_bed label"
msgid "Has Heated Build Plate"
@@ -561,8 +557,8 @@ msgstr "La vitesse maximale pour le moteur du sens Z."
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e label"
-msgid "Maximum Feedrate"
-msgstr "Taux d'alimentation maximal"
+msgid "Maximum Speed E"
+msgstr ""
#: fdmprinter.def.json
msgctxt "machine_max_feedrate_e description"
@@ -1731,7 +1727,7 @@ msgstr "Motif de remplissage"
#: fdmprinter.def.json
msgctxt "infill_pattern description"
-msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the ceiling of the object."
msgstr ""
#: fdmprinter.def.json
@@ -1802,7 +1798,7 @@ msgstr "Gyroïde"
#: fdmprinter.def.json
msgctxt "infill_pattern option lightning"
msgid "Lightning"
-msgstr ""
+msgstr "Éclair"
#: fdmprinter.def.json
msgctxt "zig_zaggify_infill label"
@@ -2021,41 +2017,41 @@ msgstr "Le nombre de couches de remplissage qui soutient les bords de la couche.
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle label"
msgid "Lightning Infill Support Angle"
-msgstr ""
+msgstr "Angle de support du remplissage éclair"
#: fdmprinter.def.json
msgctxt "lightning_infill_support_angle description"
msgid "Determines when a lightning infill layer has to support anything above it. Measured in the angle given the thickness of a layer."
-msgstr ""
+msgstr "Détermine quand une couche de remplissage éclair doit soutenir tout ce qui se trouve au-dessus. Mesuré dans l'angle au vu de l'épaisseur d'une couche."
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle label"
msgid "Lightning Infill Overhang Angle"
-msgstr ""
+msgstr "Angle de saillie du remplissage éclair"
#: fdmprinter.def.json
msgctxt "lightning_infill_overhang_angle description"
msgid "Determines when a lightning infill layer has to support the model above it. Measured in the angle given the thickness."
-msgstr ""
+msgstr "Détermine quand une couche de remplissage éclair doit soutenir le modèle au-dessus. Mesuré dans l'angle au vu de l'épaisseur."
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle label"
msgid "Lightning Infill Prune Angle"
-msgstr ""
+msgstr "Angle d'élagage du remplissage éclair"
#: fdmprinter.def.json
msgctxt "lightning_infill_prune_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+msgid "The endpoints of infill lines are shortened to save on material. This setting is the angle of overhang of the endpoints of these lines."
msgstr ""
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle label"
msgid "Lightning Infill Straightening Angle"
-msgstr ""
+msgstr "Angle de redressement du remplissage éclair"
#: fdmprinter.def.json
msgctxt "lightning_infill_straightening_angle description"
-msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+msgid "The infill lines are straightened out to save on printing time. This is the maximum angle of overhang allowed across the length of the infill line."
msgstr ""
#: fdmprinter.def.json
@@ -3251,7 +3247,7 @@ msgstr "Tout"
#: fdmprinter.def.json
msgctxt "retraction_combing option no_outer_surfaces"
msgid "Not on Outer Surface"
-msgstr ""
+msgstr "Pas sur la surface extérieure"
#: fdmprinter.def.json
msgctxt "retraction_combing option noskin"
@@ -5205,7 +5201,7 @@ msgstr "Largeur minimale de moule"
#: fdmprinter.def.json
msgctxt "mold_width description"
msgid "The minimal distance between the outside of the mold and the outside of the model."
-msgstr ""
+msgstr "La distance minimale entre l'extérieur du moule et l'extérieur du modèle."
#: fdmprinter.def.json
msgctxt "mold_roof_height label"
@@ -6481,6 +6477,30 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matrice de transformation à appliquer au modèle lors de son chargement depuis le fichier."
+#~ msgctxt "machine_start_gcode description"
+#~ msgid "G-code commands to be executed at the very start - separated by \\n."
+#~ msgstr "Commandes G-Code à exécuter au tout début, séparées par \\n."
+
+#~ msgctxt "machine_end_gcode description"
+#~ msgid "G-code commands to be executed at the very end - separated by \\n."
+#~ msgstr "Commandes G-Code à exécuter tout à la fin, séparées par \\n."
+
+#~ msgctxt "machine_max_feedrate_e label"
+#~ msgid "Maximum Feedrate"
+#~ msgstr "Taux d'alimentation maximal"
+
+#~ msgctxt "infill_pattern description"
+#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction. Lightning infill tries to minimize the infill, by only supporting the (internal) roofs of the object. As such, the infill percentage is only 'valid' one layer below whatever it needs to support of the model."
+#~ msgstr "Le motif du matériau de remplissage de l'impression. La ligne et le remplissage en zigzag changent de sens à chaque alternance de couche, réduisant ainsi les coûts matériels. Les motifs en grille, en triangle, tri-hexagonaux, cubiques, octaédriques, quart cubiques, entrecroisés et concentriques sont entièrement imprimés sur chaque couche. Les remplissages gyroïdes, cubiques, quart cubiques et octaédriques changent à chaque couche afin d'offrir une répartition plus égale de la solidité dans chaque direction. Le remplissage éclair tente de minimiser le remplissage en ne soutenant que les plafonds (internes) de l'objet. Ainsi, le pourcentage de remplissage n'est « valable » qu'une couche en dessous de ce qu'il doit soutenir dans le modèle."
+
+#~ msgctxt "lightning_infill_prune_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the pruning of the outer extremities of trees. Measured in the angle given the thickness."
+#~ msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne l'élagage des extrémités extérieures des arborescences. Mesuré dans l'angle au vu de l'épaisseur."
+
+#~ msgctxt "lightning_infill_straightening_angle description"
+#~ msgid "The difference a lightning infill layer can have with the one immediately above w.r.t the smoothing of trees. Measured in the angle given the thickness."
+#~ msgstr "La différence qu'une couche de remplissage éclair peut avoir avec celle immédiatement au-dessus en ce qui concerne le lissage des arborescences. Mesuré dans l'angle au vu de l'épaisseur."
+
#~ msgctxt "infill_pattern description"
#~ msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
#~ msgstr "Motif du matériau de remplissage de l'impression. La ligne et le remplissage en zigzag changent de sens à chaque alternance de couche, réduisant ainsi les coûts matériels. Les motifs en grille, en triangle, trihexagonaux, cubiques, octaédriques, quart cubiques et concentriques sont entièrement imprimés sur chaque couche. Les remplissages gyroïde, cubique, quart cubique et octaédrique changent à chaque couche afin d'offrir une répartition plus égale de la solidité dans chaque direction."
diff --git a/resources/i18n/hu_HU/cura.po b/resources/i18n/hu_HU/cura.po
index 53c5521bb2..6bc614a1f4 100644
--- a/resources/i18n/hu_HU/cura.po
+++ b/resources/i18n/hu_HU/cura.po
@@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
-"Project-Id-Version: Cura 4.12\n"
+"Project-Id-Version: Cura 4.13\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
-"POT-Creation-Date: 2021-10-20 16:43+0200\n"
+"POT-Creation-Date: 2021-12-10 12:00+0100\n"
"PO-Revision-Date: 2020-03-24 09:36+0100\n"
"Last-Translator: Nagy Attila \n"
"Language-Team: ATI-SZOFT\n"
@@ -17,212 +17,449 @@ msgstr ""
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Generator: Poedit 2.2.4\n"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:110
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:361
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1615
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
-msgctxt "@label"
-msgid "Unknown"
-msgstr "Ismeretlen"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:115
+msgctxt "@info:backup_failed"
+msgid "Could not create archive from user data directory: {}"
+msgstr "Nem sikerült archívumot létrehozni a felhasználói adatkönyvtárból: {}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
-msgctxt "@label"
-msgid "The printer(s) below cannot be connected because they are part of a group"
-msgstr "Az alábbi nyomtató (k) nem csatlakoztathatók, mert egy csoporthoz tartoznak"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:122
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:159
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
+msgctxt "@info:title"
+msgid "Backup"
+msgstr "Biztonsági mentés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
-msgctxt "@label"
-msgid "Available networked printers"
-msgstr "Elérhető hálózati nyomtatók"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:134
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup without having proper data or meta data."
+msgstr "Megpróbált visszaállítani egy Cura biztonsági másolatot anélkül, hogy megfelelő adatok vagy meta adatok lennének."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/ExtrudersModel.py:219
-msgctxt "@menuitem"
-msgid "Not overridden"
-msgstr "Nincs felülírva"
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:145
+msgctxt "@info:backup_failed"
+msgid "Tried to restore a Cura backup that is higher than the current version."
+msgstr "Egy olyan Cura biztonsági mentést próbált visszaállítani, amelyiknek a verziója magasabb a jelenlegitől."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/GlobalStacksModel.py:76
+#: /home/clamboo/Desktop/Cura/cura/Backups/Backup.py:158
+msgctxt "@info:backup_failed"
+msgid "The following error occurred while trying to restore a Cura backup:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:66
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:55
+msgctxt "@action:button"
+msgid "Please sync the material profiles with your printers before starting to print."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:67
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:56
+msgctxt "@action:button"
+msgid "New materials installed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:74
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:63
+msgctxt "@action:button"
+msgid "Sync materials with printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:82
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:71
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:80
+msgctxt "@action:button"
+msgid "Learn more"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:135
+msgctxt "@message:text"
+msgid "Could not save material archive to {}:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:136
+msgctxt "@message:title"
+msgid "Failed to save material archive"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UltimakerCloud/CloudMaterialSync.py:188
+msgctxt "@text"
+msgid "Unknown error."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:99
+msgctxt "@info:status"
+msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
+msgstr "Az nyomtatási szint csökken a \"Nyomtatási sorrend\" beállítása miatt, ez megakadályozza, hogy a mechanika beleütközzön a nyomtatott tárgyba."
+
+#: /home/clamboo/Desktop/Cura/cura/BuildVolume.py:102
+msgctxt "@info:title"
+msgid "Build Volume"
+msgstr "Építési térfogat"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/GlobalStacksModel.py:143
#, python-brace-format
msgctxt "@label {0} is the name of a printer that's about to be deleted."
msgid "Are you sure you wish to remove {0}? This cannot be undone!"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:42
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:11
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/ExtrudersModel.py:219
+msgctxt "@menuitem"
+msgid "Not overridden"
+msgstr "Nincs felülírva"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:83
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:361
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1614
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:130
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:171
+msgctxt "@label"
+msgid "Unknown"
+msgstr "Ismeretlen"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:113
+msgctxt "@label"
+msgid "The printer(s) below cannot be connected because they are part of a group"
+msgstr "Az alábbi nyomtató (k) nem csatlakoztathatók, mert egy csoporthoz tartoznak"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/DiscoveredPrintersModel.py:115
+msgctxt "@label"
+msgid "Available networked printers"
+msgstr "Elérhető hálózati nyomtatók"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:338
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:42
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:11
msgctxt "@label"
msgid "Default"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:45
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:14
-msgctxt "@label"
-msgid "Visual"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:46
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:15
-msgctxt "@text"
-msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:49
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:18
-msgctxt "@label"
-msgid "Engineering"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:50
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:19
-msgctxt "@text"
-msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:53
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:22
-msgctxt "@label"
-msgid "Draft"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentCategoryModel.py:54
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/IntentTranslations.py:23
-msgctxt "@text"
-msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:53
-msgctxt "@action:button"
-msgid "Please sync the material profiles with your printers before starting to print."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:54
-msgctxt "@action:button"
-msgid "New materials installed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:61
-msgctxt "@action:button"
-msgid "Sync materials with printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:69
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:80
-msgctxt "@action:button"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:285
-msgctxt "@label"
-msgid "Custom Material"
-msgstr "Egyedi anyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:286
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:233
-msgctxt "@label"
-msgid "Custom"
-msgstr "Egyedi"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:356
-msgctxt "@message:text"
-msgid "Could not save material archive to {}:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/MaterialManagementModel.py:357
-msgctxt "@message:title"
-msgid "Failed to save material archive"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:383
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:390
msgctxt "@label"
msgid "Custom profiles"
msgstr "Egyéni profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:418
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:425
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Összes támasz típus ({0})"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Machines/Models/QualityManagementModel.py:419
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/QualityManagementModel.py:426
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Minden fájl (*)"
-#: /home/trin/Gedeeld/Projects/Cura/cura/API/Account.py:186
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:45
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:14
+msgctxt "@label"
+msgid "Visual"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:46
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:15
+msgctxt "@text"
+msgid "The visual profile is designed to print visual prototypes and models with the intent of high visual and surface quality."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:49
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:18
+msgctxt "@label"
+msgid "Engineering"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:50
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:19
+msgctxt "@text"
+msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:53
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:22
+msgctxt "@label"
+msgid "Draft"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentCategoryModel.py:54
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/IntentTranslations.py:23
+msgctxt "@text"
+msgid "The draft profile is designed to print initial prototypes and concept validation with the intent of significant print time reduction."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:288
+msgctxt "@label"
+msgid "Custom Material"
+msgstr "Egyedi anyag"
+
+#: /home/clamboo/Desktop/Cura/cura/Machines/Models/MaterialManagementModel.py:289
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:346
+msgctxt "@label"
+msgid "Custom"
+msgstr "Egyedi"
+
+#: /home/clamboo/Desktop/Cura/cura/API/Account.py:190
msgctxt "@info:title"
msgid "Login failed"
msgstr "Sikertelen bejelentkezés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:24
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:67
msgctxt "@info:status"
msgid "Finding new location for objects"
msgstr "Új hely keresése az objektumokhoz"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:28
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:71
msgctxt "@info:title"
msgid "Finding Location"
msgstr "Hely keresés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:41
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:99
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:41
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:99
msgctxt "@info:status"
msgid "Unable to find a location within the build volume for all objects"
msgstr "Nincs elég hely az összes objektum építési térfogatához"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
-#: /home/trin/Gedeeld/Projects/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsJob.py:42
+#: /home/clamboo/Desktop/Cura/cura/Arranging/ArrangeObjectsAllBuildPlatesJob.py:152
msgctxt "@info:title"
msgid "Can't Find Location"
msgstr "Nem találok helyet"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:115
-msgctxt "@info:backup_failed"
-msgid "Could not create archive from user data directory: {}"
-msgstr "Nem sikerült archívumot létrehozni a felhasználói adatkönyvtárból: {}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:122
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:159
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:118
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:126
-msgctxt "@info:title"
-msgid "Backup"
-msgstr "Biztonsági mentés"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:134
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup without having proper data or meta data."
-msgstr "Megpróbált visszaállítani egy Cura biztonsági másolatot anélkül, hogy megfelelő adatok vagy meta adatok lennének."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:145
-msgctxt "@info:backup_failed"
-msgid "Tried to restore a Cura backup that is higher than the current version."
-msgstr "Egy olyan Cura biztonsági mentést próbált visszaállítani, amelyiknek a verziója magasabb a jelenlegitől."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Backups/Backup.py:158
-msgctxt "@info:backup_failed"
-msgid "The following error occurred while trying to restore a Cura backup:"
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:104
+msgctxt "@text:error"
+msgid "Failed to create archive of materials to sync with printers."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:98
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:111
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:165
+msgctxt "@text:error"
+msgid "Failed to load the archive of materials to sync it with printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:143
+msgctxt "@text:error"
+msgid "The response from Digital Factory appears to be corrupted."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:147
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:151
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:155
+msgctxt "@text:error"
+msgid "The response from Digital Factory is missing important information."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:218
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory to sync materials with some of the printers."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/PrinterOutput/UploadMaterialsJob.py:232
+msgctxt "@text:error"
+msgid "Failed to connect to Digital Factory."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:530
+msgctxt "@info:progress"
+msgid "Loading machines..."
+msgstr "Gépek betöltése ..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:537
+msgctxt "@info:progress"
+msgid "Setting up preferences..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:675
+msgctxt "@info:progress"
+msgid "Initializing Active Machine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:811
+msgctxt "@info:progress"
+msgid "Initializing machine manager..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:825
+msgctxt "@info:progress"
+msgid "Initializing build volume..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:896
+msgctxt "@info:progress"
+msgid "Setting up scene..."
+msgstr "Felület beállítása..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:932
+msgctxt "@info:progress"
+msgid "Loading interface..."
+msgstr "Interfészek betöltése..."
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:937
+msgctxt "@info:progress"
+msgid "Initializing engine..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1254
+#, python-format
+msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
+msgid "%(width).1f x %(depth).1f x %(height).1f mm"
+msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1807
+#, python-brace-format
msgctxt "@info:status"
-msgid "The build volume height has been reduced due to the value of the \"Print Sequence\" setting to prevent the gantry from colliding with printed models."
-msgstr "Az nyomtatási szint csökken a \"Nyomtatási sorrend\" beállítása miatt, ez megakadályozza, hogy a mechanika beleütközzön a nyomtatott tárgyba."
+msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
+msgstr "Egyszerre csak egy G-kód fájlt lehet betölteni. Az importálás kihagyva {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/BuildVolume.py:101
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1809
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:217
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
msgctxt "@info:title"
-msgid "Build Volume"
-msgstr "Építési térfogat"
+msgid "Warning"
+msgstr "Figyelem"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:107
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1819
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
+msgstr "Nem nyitható meg más fájl, ha a G-kód betöltődik. Az importálás kihagyva {0}"
+
+#: /home/clamboo/Desktop/Cura/cura/CuraApplication.py:1821
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:156
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:166
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
+msgctxt "@info:title"
+msgid "Error"
+msgstr "Hiba"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:67
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:286
+msgctxt "@action:button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WhatsNewPagesModel.py:72
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:174
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:127
+msgctxt "@action:button"
+msgid "Close"
+msgstr "Bezár"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:57
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:277
+msgctxt "@action:button"
+msgid "Next"
+msgstr "Következő"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/WelcomePagesModel.py:290
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:26
+msgctxt "@action:button"
+msgid "Finish"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:17
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:48
+msgctxt "@action:button"
+msgid "Add"
+msgstr "Hozzáad"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/AddPrinterPagesModel.py:33
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:234
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
+msgctxt "@action:button"
+msgid "Cancel"
+msgstr "Elvet"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/ObjectsModel.py:69
+#, python-brace-format
+msgctxt "@label"
+msgid "Group #{group_nr}"
+msgstr "Csoport #{group_nr}"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:85
+msgctxt "@tooltip"
+msgid "Outer Wall"
+msgstr "Külső fal"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:86
+msgctxt "@tooltip"
+msgid "Inner Walls"
+msgstr "Belső falak"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:87
+msgctxt "@tooltip"
+msgid "Skin"
+msgstr "Héj"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:88
+msgctxt "@tooltip"
+msgid "Infill"
+msgstr "Kitöltés"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:89
+msgctxt "@tooltip"
+msgid "Support Infill"
+msgstr "Támasz kitöltés"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:90
+msgctxt "@tooltip"
+msgid "Support Interface"
+msgstr "Támasz interface"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:91
+msgctxt "@tooltip"
+msgid "Support"
+msgstr "Támasz"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:92
+msgctxt "@tooltip"
+msgid "Skirt"
+msgstr "Szoknya"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:93
+msgctxt "@tooltip"
+msgid "Prime Tower"
+msgstr "Elsődleges torony"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:94
+msgctxt "@tooltip"
+msgid "Travel"
+msgstr "Átmozgás"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:95
+msgctxt "@tooltip"
+msgid "Retractions"
+msgstr "Visszahúzás"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/PrintInformation.py:96
+msgctxt "@tooltip"
+msgid "Other"
+msgstr "Egyéb"
+
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:37
+#: /home/clamboo/Desktop/Cura/cura/UI/TextManager.py:61
+msgctxt "@text:window"
+msgid "The release notes could not be opened."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:107
msgctxt "@title:window"
msgid "Cura can't start"
msgstr "A Cura nem tud elindulni"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:113
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:113
msgctxt "@label crash message"
msgid ""
"Oops, Ultimaker Cura has encountered something that doesn't seem right.
\n"
@@ -237,32 +474,32 @@ msgstr ""
" Kérjük, küldje el nekünk ezt a hibajelentést a probléma megoldásához.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:122
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:122
msgctxt "@action:button"
msgid "Send crash report to Ultimaker"
msgstr "Hibajelentés küldése az Ultimaker -nek"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:125
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:125
msgctxt "@action:button"
msgid "Show detailed crash report"
msgstr "Hibajelentés részletei"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:129
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:129
msgctxt "@action:button"
msgid "Show configuration folder"
msgstr "Konfigurációs mappa megnyitása"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:140
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:140
msgctxt "@action:button"
msgid "Backup and Reset Configuration"
msgstr "Konfiguráció biztonsági mentés és visszaállítás"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:171
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:171
msgctxt "@title:window"
msgid "Crash Report"
msgstr "Összeomlás jelentés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:190
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:190
msgctxt "@label crash message"
msgid ""
"A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem
\n"
@@ -273,497 +510,1259 @@ msgstr ""
" Kérjük használd a \"Jelentés küldés\" gombot a hibajelentés postázásához, így az automatikusan a szerverünkre kerül.
\n"
" "
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:198
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:198
msgctxt "@title:groupbox"
msgid "System information"
msgstr "Rendszer információ"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:207
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:207
msgctxt "@label unknown version of Cura"
msgid "Unknown"
msgstr "Ismeretlen"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:228
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:228
msgctxt "@label Cura version number"
msgid "Cura version"
msgstr "Cura verzió"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:229
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:229
msgctxt "@label"
msgid "Cura language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:230
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:230
msgctxt "@label"
msgid "OS language"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:231
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:231
msgctxt "@label Type of platform"
msgid "Platform"
msgstr "Felület"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:232
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:232
msgctxt "@label"
msgid "Qt version"
msgstr "Qt verzió"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:233
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:233
msgctxt "@label"
msgid "PyQt version"
msgstr "PyQt verzió"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:234
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:234
msgctxt "@label OpenGL version"
msgid "OpenGL"
msgstr "OpenGL"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:264
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:264
msgctxt "@label"
msgid "Not yet initialized
"
msgstr "Még nincs inicializálva
"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:267
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:267
#, python-brace-format
msgctxt "@label OpenGL version"
msgid "OpenGL Version: {version}"
msgstr "OpenGL Verzió: {version}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:268
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:268
#, python-brace-format
msgctxt "@label OpenGL vendor"
msgid "OpenGL Vendor: {vendor}"
msgstr "OpenGL terjesztő: {vendor}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:269
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:269
#, python-brace-format
msgctxt "@label OpenGL renderer"
msgid "OpenGL Renderer: {renderer}"
msgstr "OpenGL Renderer: {renderer}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:303
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:303
msgctxt "@title:groupbox"
msgid "Error traceback"
msgstr "Hibakövetés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:389
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:389
msgctxt "@title:groupbox"
msgid "Logs"
msgstr "Naplók"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CrashHandler.py:417
+#: /home/clamboo/Desktop/Cura/cura/CrashHandler.py:417
msgctxt "@action:button"
msgid "Send report"
msgstr "Jelentés küldés"
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:529
-msgctxt "@info:progress"
-msgid "Loading machines..."
-msgstr "Gépek betöltése ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:536
-msgctxt "@info:progress"
-msgid "Setting up preferences..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:674
-msgctxt "@info:progress"
-msgid "Initializing Active Machine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:809
-msgctxt "@info:progress"
-msgid "Initializing machine manager..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:823
-msgctxt "@info:progress"
-msgid "Initializing build volume..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:894
-msgctxt "@info:progress"
-msgid "Setting up scene..."
-msgstr "Felület beállítása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:930
-msgctxt "@info:progress"
-msgid "Loading interface..."
-msgstr "Interfészek betöltése..."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:935
-msgctxt "@info:progress"
-msgid "Initializing engine..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1252
-#, python-format
-msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
-msgid "%(width).1f x %(depth).1f x %(height).1f mm"
-msgstr "%(width).1f x %(depth).1f x %(height).1f mm"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1805
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Only one G-code file can be loaded at a time. Skipped importing {0}"
-msgstr "Egyszerre csak egy G-kód fájlt lehet betölteni. Az importálás kihagyva {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1807
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:198
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:258
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:177
-msgctxt "@info:title"
-msgid "Warning"
-msgstr "Figyelem"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1817
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Can't open any other file if G-code is loading. Skipped importing {0}"
-msgstr "Nem nyitható meg más fájl, ha a G-kód betöltődik. Az importálás kihagyva {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/CuraApplication.py:1819
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:156
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:166
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:141
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:161
-msgctxt "@info:title"
-msgid "Error"
-msgstr "Hiba"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:30
-msgctxt "@info:status"
-msgid "Multiplying and placing objects"
-msgstr "Tárgyak többszörözése és elhelyezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:32
-msgctxt "@info:title"
-msgid "Placing Objects"
-msgstr "Tárgyak elhelyezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/MultiplyObjectsJob.py:100
-msgctxt "@info:title"
-msgid "Placing Object"
-msgstr "Tárgy elhelyezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationHelpers.py:92
-msgctxt "@message"
-msgid "Could not read response."
-msgstr "Nincs olvasható válasz."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:74
-msgctxt "@message"
-msgid "The provided state is not correct."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:85
-msgctxt "@message"
-msgid "Please give the required permissions when authorizing this application."
-msgstr "Kérjük, adja meg a szükséges jogosultságokat az alkalmazás engedélyezéséhez."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationRequestHandler.py:92
-msgctxt "@message"
-msgid "Something unexpected happened when trying to log in, please try again."
-msgstr "Valami váratlan esemény történt a bejelentkezéskor, próbálkozzon újra."
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:197
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:216
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/OAuth2/AuthorizationService.py:257
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:277
msgctxt "@info"
msgid "Unable to reach the Ultimaker account server."
msgstr "Az Ultimaker fiókkiszolgáló elérhetetlen."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:207
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:140
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationService.py:278
+msgctxt "@info:title"
+msgid "Log-in failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:75
+msgctxt "@message"
+msgid "The provided state is not correct."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:80
+msgctxt "@message"
+msgid "Timeout when authenticating with the account server."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:97
+msgctxt "@message"
+msgid "Please give the required permissions when authorizing this application."
+msgstr "Kérjük, adja meg a szükséges jogosultságokat az alkalmazás engedélyezéséhez."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationRequestHandler.py:104
+msgctxt "@message"
+msgid "Something unexpected happened when trying to log in, please try again."
+msgstr "Valami váratlan esemény történt a bejelentkezéskor, próbálkozzon újra."
+
+#: /home/clamboo/Desktop/Cura/cura/OAuth2/AuthorizationHelpers.py:89
+msgctxt "@message"
+msgid "Could not read response."
+msgstr "Nincs olvasható válasz."
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:30
+msgctxt "@info:status"
+msgid "Multiplying and placing objects"
+msgstr "Tárgyak többszörözése és elhelyezése"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:32
+msgctxt "@info:title"
+msgid "Placing Objects"
+msgstr "Tárgyak elhelyezése"
+
+#: /home/clamboo/Desktop/Cura/cura/MultiplyObjectsJob.py:100
+msgctxt "@info:title"
+msgid "Placing Object"
+msgstr "Tárgy elhelyezése"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:36
+msgctxt "@info:not supported profile"
+msgid "Not supported"
+msgstr "Nem támogatott"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/cura_empty_instance_containers.py:55
+msgctxt "@info:No intent profile selected"
+msgid "Default"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:713
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:218
+msgctxt "@label"
+msgid "Nozzle"
+msgstr "Fúvóka"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:857
+msgctxt "@info:message Followed by a list of settings."
+msgid "Settings have been changed to match the current availability of extruders:"
+msgstr "A beállításokat megváltoztattuk, hogy azok megfeleljenek az jelenleg elérhető extrudereknek:"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:858
+msgctxt "@info:title"
+msgid "Settings updated"
+msgstr "Beállítások frissítve"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/MachineManager.py:1480
+msgctxt "@info:title"
+msgid "Extruder(s) Disabled"
+msgstr "Extruder(ek) kikapcsolva"
+
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:207
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:140
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "A fájl már létezik"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:208
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:141
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:208
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:141
#, python-brace-format
msgctxt "@label Don't translate the XML tag !"
msgid "The file {0} already exists. Are you sure you want to overwrite it?"
msgstr "A {0} fájl már létezik. Biztosan szeretnéd, hogy felülírjuk?"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:459
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/ContainerManager.py:462
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/ContainerManager.py:462
msgctxt "@info:status"
msgid "Invalid file URL:"
msgstr "Érvénytelen fájl URL:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:153
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:153
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags or !"
msgid "Failed to export profile to {0}: {1}"
msgstr "A profil exportálása nem sikerült {0}: {1}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:163
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:163
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to export profile to {0}: Writer plugin reported failure."
msgstr "A profil exportálása nem sikerült {0}:Az író beépülő modul hibát jelez."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:171
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:171
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Exported profile to {0}"
msgstr "Profil exportálva ide: {0}"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:173
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:173
msgctxt "@info:title"
msgid "Export succeeded"
msgstr "Sikeres export"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:205
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:205
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}: {1}"
msgstr "Sikertelen profil importálás {0}: {1} -ból"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:209
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:209
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Can't import profile from {0} before a printer is added."
msgstr "Nem importálható a profil {0} -ból, mielőtt hozzá nem adunk egy nyomtatót."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:224
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:224
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "No custom profile to import in file {0}"
msgstr "Nincs egyéni profil a {0} fájlban, amelyet importálni lehetne"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:228
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "Failed to import profile from {0}:"
msgstr "A profil importálása nem sikerült {0}:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:252
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:262
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:252
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:262
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags !"
msgid "This profile {0} contains incorrect data, could not import it."
msgstr "Ez a {0} profil helytelen adatokat tartamaz, ezért nem importálható."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:355
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:355
#, python-brace-format
msgctxt "@info:status Don't translate the XML tag !"
msgid "Failed to import profile from {0}:"
msgstr "Nem importálható a profil {0}:"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:359
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:359
#, python-brace-format
msgctxt "@info:status"
msgid "Successfully imported profile {0}."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:366
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:366
#, python-brace-format
msgctxt "@info:status"
msgid "File {0} does not contain any valid profile."
msgstr "A {0} fájl nem tartalmaz érvényes profilt."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:369
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:369
#, python-brace-format
msgctxt "@info:status"
msgid "Profile {0} has an unknown file type or is corrupted."
msgstr "A(z) {0} profil ismeretlen fájltípusú vagy sérült."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:443
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:443
msgctxt "@label"
msgid "Custom profile"
msgstr "Egyedi profil"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:459
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:459
msgctxt "@info:status"
msgid "Profile is missing a quality type."
msgstr "Hiányzik a profil minőségi típusa."
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:463
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:463
msgctxt "@info:status"
msgid "There is no active printer yet."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:469
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:469
msgctxt "@info:status"
msgid "Unable to add the profile."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:483
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:483
#, python-brace-format
msgctxt "@info:status"
msgid "Quality type '{0}' is not compatible with the current active machine definition '{1}'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/CuraContainerRegistry.py:488
+#: /home/clamboo/Desktop/Cura/cura/Settings/CuraContainerRegistry.py:488
#, python-brace-format
msgctxt "@info:status"
msgid "Warning: The profile is not visible because its quality type '{0}' is not available for the current configuration. Switch to a material/nozzle combination that can use this quality type."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:36
-msgctxt "@info:not supported profile"
-msgid "Not supported"
-msgstr "Nem támogatott"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/cura_empty_instance_containers.py:55
-msgctxt "@info:No intent profile selected"
-msgid "Default"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:713
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:216
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:14
msgctxt "@label"
-msgid "Nozzle"
-msgstr "Fúvóka"
+msgid "Per Model Settings"
+msgstr "Modellenkénti beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:857
-msgctxt "@info:message Followed by a list of settings."
-msgid "Settings have been changed to match the current availability of extruders:"
-msgstr "A beállításokat megváltoztattuk, hogy azok megfeleljenek az jelenleg elérhető extrudereknek:"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/__init__.py:15
+msgctxt "@info:tooltip"
+msgid "Configure Per Model Settings"
+msgstr "Modellenkénti beállítások konfigurálása"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:859
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/CuraProfileWriter/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura Profile"
+msgstr "Cura Profil"
+
+#: /home/clamboo/Desktop/Cura/plugins/X3DReader/__init__.py:13
+msgctxt "@item:inlistbox"
+msgid "X3D File"
+msgstr "X3D Fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DriveApiService.py:86
+msgctxt "@info:backup_status"
+msgid "There was an error trying to restore your backup."
+msgstr "Hiba történt a biztonsági másolat visszaállításakor."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
msgctxt "@info:title"
-msgid "Settings updated"
-msgstr "Beállítások frissítve"
+msgid "Backups"
+msgstr "Biztonsági mentések"
-#: /home/trin/Gedeeld/Projects/Cura/cura/Settings/MachineManager.py:1481
-msgctxt "@info:title"
-msgid "Extruder(s) Disabled"
-msgstr "Extruder(ek) kikapcsolva"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
+msgctxt "@info:backup_status"
+msgid "There was an error while uploading your backup."
+msgstr "Hiba történt a biztonsági mentés feltöltése közben."
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:67
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:48
-msgctxt "@action:button"
-msgid "Add"
-msgstr "Hozzáad"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:26
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:272
-msgctxt "@action:button"
-msgid "Finish"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
+msgctxt "@info:backup_status"
+msgid "Creating your backup..."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/AddPrinterPagesModel.py:33
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:445
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:234
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:150
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:19
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:81
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:352
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:58
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:82
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:293
-msgctxt "@action:button"
-msgid "Cancel"
-msgstr "Elvet"
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
+msgctxt "@info:backup_status"
+msgid "There was an error while creating your backup."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/ObjectsModel.py:69
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
+msgctxt "@info:backup_status"
+msgid "Uploading your backup..."
+msgstr "A biztonsági mentés feltöltése ..."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
+msgctxt "@info:backup_status"
+msgid "Your backup has finished uploading."
+msgstr "A biztonsági mentés feltöltése befejeződött."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
+msgctxt "@error:file_size"
+msgid "The backup exceeds the maximum file size."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
+msgctxt "@item:inmenu"
+msgid "Manage backups"
+msgstr "Bitonsági mentések kezelése"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
+msgctxt "@action"
+msgid "Machine Settings"
+msgstr "Gép beállítások"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:12
+msgctxt "@label"
+msgid "Support Blocker"
+msgstr "Támasz blokkoló"
+
+#: /home/clamboo/Desktop/Cura/plugins/SupportEraser/__init__.py:13
+msgctxt "@info:tooltip"
+msgid "Create a volume in which supports are not printed."
+msgstr "Hozzon létre egy kötetet, amelyben a támaszok nem kerülnek nyomtatásra."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
+msgctxt "@item:intext"
+msgid "Removable Drive"
+msgstr "Cserélhető meghajtó"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Save to Removable Drive"
+msgstr "Mentés külső meghajtóra"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
+#, python-brace-format
+msgctxt "@item:inlistbox"
+msgid "Save to Removable Drive {0}"
+msgstr "Mentés külső meghajtóra {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
+msgctxt "@info:status"
+msgid "There are no file formats available to write with!"
+msgstr "Nincsenek elérhető fájlformátumok az íráshoz!"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
+#, python-brace-format
+msgctxt "@info:progress Don't translate the XML tags !"
+msgid "Saving to Removable Drive {0}"
+msgstr "Mentés külső meghajóra {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
+msgctxt "@info:title"
+msgid "Saving"
+msgstr "Mentés"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not save to {0}: {1}"
+msgstr "Sikertelen mentés {0}: {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
+#, python-brace-format
+msgctxt "@info:status Don't translate the tag {device}!"
+msgid "Could not find a file name when trying to write to {device}."
+msgstr "Nem található a fájlnév {device} -on az írási művelethez."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Could not save to removable drive {0}: {1}"
+msgstr "Sikertelen mentés a {0}: {1} meghajtóra."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Saved to Removable Drive {0} as {1}"
+msgstr "Mentve a {0} meghajtóra, mint {1}"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
+msgctxt "@info:title"
+msgid "File Saved"
+msgstr "Fájl Mentve"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+msgctxt "@action:button"
+msgid "Eject"
+msgstr "Leválaszt"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
+#, python-brace-format
+msgctxt "@action"
+msgid "Eject removable device {0}"
+msgstr "{0} meghajtó leválasztása"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Ejected {0}. You can now safely remove the drive."
+msgstr "{0} leválasztva. Eltávolíthatod az adathordozót."
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
+msgctxt "@info:title"
+msgid "Safely Remove Hardware"
+msgstr "Hardver biztonságos eltávolítása"
+
+#: /home/clamboo/Desktop/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Failed to eject {0}. Another program may be using the drive."
+msgstr "{0} leválasztása sikertelen. A meghajtó használatban van."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
+msgctxt "@action"
+msgid "Update Firmware"
+msgstr "Firmware frissítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/LegacyProfileReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "Cura 15.04 profiles"
+msgstr "Cura 15.04 profil"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:203
+msgctxt "@title:tab"
+msgid "Recommended"
+msgstr "Ajánlott"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.py:205
+msgctxt "@title:tab"
+msgid "Custom"
+msgstr "Egyedi"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:542
+#, python-brace-format
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
+msgstr "A projekt fájl {0} egy ismeretlen {1} géptípust tartalmaz.Gépet nem lehet importálni. Importálj helyette modelleket."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:545
+msgctxt "@info:title"
+msgid "Open Project File"
+msgstr "Projekt fájl megnyitása"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:642
+#, python-brace-format
+msgctxt "@info:error Don't translate the XML tags or !"
+msgid "Project file {0} is suddenly inaccessible: {1}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:643
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:651
+msgctxt "@info:title"
+msgid "Can't Open Project File"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:650
+#, python-brace-format
+msgctxt "@info:error Don't translate the XML tags or !"
+msgid "Project file {0} is corrupt: {1}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:703
+#, python-brace-format
+msgctxt "@info:error Don't translate the XML tag !"
+msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:27
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/__init__.py:33
+msgctxt "@item:inlistbox"
+msgid "3MF File"
+msgstr "3MF fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:57
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:72
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:94
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:149
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/UFPWriter.py:159
+msgctxt "@info:error"
+msgid "Can't write to UFP file:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UFPWriter/__init__.py:28
+#: /home/clamboo/Desktop/Cura/plugins/UFPReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "Ultimaker Format Package"
+msgstr "Ultimaker formátumcsomag"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeProfileReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/__init__.py:16
+msgctxt "@item:inlistbox"
+msgid "G-code File"
+msgstr "G-code Fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/PreviewStage/__init__.py:13
+msgctxt "@item:inmenu"
+msgid "Preview"
+msgstr "Előnézet"
+
+#: /home/clamboo/Desktop/Cura/plugins/XRayView/__init__.py:12
+msgctxt "@item:inlistbox"
+msgid "X-Ray view"
+msgstr "Röntgen nézet"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
+msgctxt "@info:status"
+msgid "Processing Layers"
+msgstr "Réteg feldolgozás"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
+msgctxt "@info:title"
+msgid "Information"
+msgstr "Információ"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
+msgctxt "@message"
+msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
+msgctxt "@message:title"
+msgid "Slicing failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
+msgctxt "@message:button"
+msgid "Report a bug"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
+msgctxt "@message:description"
+msgid "Report a bug on Ultimaker Cura's issue tracker."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
+msgctxt "@info:status"
+msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
+msgstr "Nem lehet szeletelni a jelenlegi alapanyaggal, mert nem kompatibilis a kiválasztott nyomtatóval, vagy a beállításaival."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
+msgctxt "@info:title"
+msgid "Unable to slice"
+msgstr "Nem lehet szeletelni"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Unable to slice with the current settings. The following settings have errors: {0}"
+msgstr "Nem lehet szeletelni ezekkel a beállításokkal. Ezek a beállítások okoznak hibát: {0}"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
+msgstr "Nem lehet szeletelni pár modell beállítás miatt. A következő beállításokokoznak hibát egy vagy több modellnél: {error_labels}"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
+msgctxt "@info:status"
+msgid "Unable to slice because the prime tower or prime position(s) are invalid."
+msgstr "Nem lehet szeletelni, mert az elsődleges torony, vagy az elsődleges pozíció érvénytelen."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
+#, python-format
+msgctxt "@info:status"
+msgid "Unable to slice because there are objects associated with disabled Extruder %s."
+msgstr "Nem lehet szeletelni, mert vannak olyan objektumok, amelyek a letiltott Extruderhez vannak társítva.%s."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
+msgctxt "@info:status"
+msgid ""
+"Please review settings and check if your models:\n"
+"- Fit within the build volume\n"
+"- Are assigned to an enabled extruder\n"
+"- Are not all set as modifier meshes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/AMFReader/__init__.py:15
+msgctxt "@item:inlistbox"
+msgid "AMF File"
+msgstr "AMF fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzReader/__init__.py:17
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/__init__.py:17
+msgctxt "@item:inlistbox"
+msgid "Compressed G-code File"
+msgstr "Tömörített G-kód fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
+msgctxt "@item:inmenu"
+msgid "Post Processing"
+msgstr "Utólagos műveletek"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
+msgctxt "@item:inmenu"
+msgid "Modify G-Code"
+msgstr "G-kód módosítás"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
+msgctxt "@item:inmenu"
+msgid "USB printing"
+msgstr "USB nyomtatás"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print via USB"
+msgstr "Nyomtatás USB-ről"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
+msgctxt "@info:tooltip"
+msgid "Print via USB"
+msgstr "Nyomtatás USB-ről"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
+msgctxt "@info:status"
+msgid "Connected via USB"
+msgstr "Csatlakozás USB-n"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+msgctxt "@label"
+msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
+msgstr "USB nyomtatás folyamatban van, a Cura bezárása leállítja ezt a nyomtatást. Biztos vagy ebben?"
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
+msgctxt "@message"
+msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
+msgstr "A nyomtatás még folyamatban van. A Cura nem indíthat új nyomtatást USB-n keresztül, amíg az előző nyomtatás be nem fejeződött."
+
+#: /home/clamboo/Desktop/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
+msgctxt "@message"
+msgid "Print in Progress"
+msgstr "Nyomtatás folyamatban"
+
+#: /home/clamboo/Desktop/Cura/plugins/PrepareStage/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Prepare"
+msgstr "Előkészítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:347
+msgctxt "@info:status"
+msgid "Parsing G-code"
+msgstr "G-kód elemzés"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:349
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:503
+msgctxt "@info:title"
+msgid "G-code Details"
+msgstr "G-kód részletek"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/FlavorParser.py:501
+msgctxt "@info:generic"
+msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
+msgstr "Győződj meg róla, hogy a G-kód igazodik a nyomtatódhoz és beállításaihoz, mielőtt elküldöd a fájlt. A G-kód ábrázolása nem biztos, hogy pontos."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "G File"
+msgstr "G fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:14
+msgctxt "@item:inlistbox"
+msgid "JPG Image"
+msgstr "JPG kép"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:18
+msgctxt "@item:inlistbox"
+msgid "JPEG Image"
+msgstr "JPEG kép"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:22
+msgctxt "@item:inlistbox"
+msgid "PNG Image"
+msgstr "PNG kép"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "BMP Image"
+msgstr "BMP kép"
+
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/__init__.py:30
+msgctxt "@item:inlistbox"
+msgid "GIF Image"
+msgstr "GIF kép"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
+msgctxt "@action"
+msgid "Level build plate"
+msgstr "Tárgyasztal szint"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
+msgctxt "@action"
+msgid "Select upgrades"
+msgstr "Válassz frissítést"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
+msgctxt "@error:not supported"
+msgid "GCodeGzWriter does not support text mode."
+msgstr "A GCodeGzWriter nem támogatja a nem szöveges módot."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
+msgctxt "@info"
+msgid "Could not access update information."
+msgstr "Nem sikerült elérni a frissítési információkat."
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
+#, python-brace-format
+msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
+msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
+#, python-format
+msgctxt "@info:title The %s gets replaced with the printer name."
+msgid "New %s stable firmware available"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+msgctxt "@action:button"
+msgid "How to update"
+msgstr "Hogyan frissíts"
+
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
+msgctxt "@text"
+msgid "Unable to read example data file."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
+msgctxt "@info:generic"
+msgid "You need to quit and restart {} before changes have effect."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
+msgctxt "@info:generic"
+msgid "Syncing..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
+msgctxt "@info:title"
+msgid "Changes detected from your Ultimaker account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
+msgctxt "@info:generic"
+msgid "Do you want to sync material and software packages with your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+msgctxt "@action:button"
+msgid "Sync"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
+msgctxt "@button"
+msgid "Decline and remove from account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
+msgctxt "@info:generic"
+msgid "{} plugins failed to download"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
+msgctxt "@button"
+msgid "Decline"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
+msgctxt "@button"
+msgid "Agree"
+msgstr "Elfogadás"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+msgctxt "@title:window"
+msgid "Plugin License Agreement"
+msgstr "Kiegészítő licencszerződés"
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:74
+msgctxt "@error:not supported"
+msgid "GCodeWriter does not support non-text mode."
+msgstr "A GCodeWriter nem támogatja a szöveges nélüli módot."
+
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:80
+#: /home/clamboo/Desktop/Cura/plugins/GCodeWriter/GCodeWriter.py:96
+msgctxt "@warning:status"
+msgid "Please prepare G-code before exporting."
+msgstr "Készítse elő a G-kódot az exportálás előtt."
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:129
+msgctxt "@info:status"
+msgid "Cura does not accurately display layers when Wire Printing is enabled."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:130
+msgctxt "@info:title"
+msgid "Simulation View"
+msgstr "Szimuláció nézet"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:133
+msgctxt "@info:status"
+msgid "Nothing is shown because you need to slice first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:134
+msgctxt "@info:title"
+msgid "No layers to show"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationView.py:136
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:74
+msgctxt "@info:option_text"
+msgid "Do not show this message again"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/__init__.py:15
+msgctxt "@item:inlistbox"
+msgid "Layer view"
+msgstr "Réteg nézet"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
+msgctxt "@action:button Preceded by 'Ready to'."
+msgid "Print over network"
+msgstr "Hálózati nyomtatás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
+msgctxt "@properties:tooltip"
+msgid "Print over network"
+msgstr "Hálózati nyomtatás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
+msgctxt "@info:status"
+msgid "Connected over the network"
+msgstr "Csatlakozva hálózaton keresztül"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
+msgctxt "@info:status"
+msgid "tomorrow"
+msgstr "holnap"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
+msgctxt "@info:status"
+msgid "today"
+msgstr "ma"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
+msgctxt "@action"
+msgid "Connect via Network"
+msgstr "Hálózati csatlakozás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
+msgctxt "@info:status"
+msgid "Please wait until the current job has been sent."
+msgstr "Várja meg, amíg az aktuális feladat elküldésre kerül."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
+msgctxt "@info:title"
+msgid "Print error"
+msgstr "Nyomtatási hiba"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
+msgctxt "@info:status"
+msgid "Print job was successfully sent to the printer."
+msgstr "A nyomtatási feladat sikeresen elküldésre került a nyomtatóra."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
+msgctxt "@info:title"
+msgid "Data Sent"
+msgstr "Adatok elküldve"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
+msgctxt "@info:status"
+msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
+msgstr "Olyan nyomtatóval próbál csatlakozni, amelyen nem fut az Ultimaker Connect. Kérjük, frissítse a nyomtatón a firmware-t."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
+msgctxt "@info:title"
+msgid "Update your printer"
+msgstr "Frissítse a nyomtatót"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
+msgctxt "@info:status"
+msgid "Print job queue is full. The printer can't accept a new job."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
+msgctxt "@info:title"
+msgid "Queue Full"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
+msgctxt "@info:status"
+msgid "Sending Print Job"
+msgstr "Nyomtatási feladat küldése"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
+msgctxt "@info:status"
+msgid "Uploading print job to printer."
+msgstr "A nyomtatási feladat feltöltése a nyomtatóra."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
+#, python-brace-format
+msgctxt "@info:status"
+msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
+msgstr "A Cura olyan anyagprofilt észlel, amelyet még nem telepítettek a(z) {0} csoport gazdanyomtatójára."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
+msgctxt "@info:title"
+msgid "Sending materials to printer"
+msgstr "Anyagok küldése a nyomtatóra"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
+msgctxt "@info:text"
+msgid "Could not upload the data to the printer."
+msgstr "Nem sikerült feltölteni az adatokat a nyomtatóra."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
+msgctxt "@info:title"
+msgid "Network error"
+msgstr "Hálózati hiba"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
+#, python-brace-format
+msgctxt "@info:status"
+msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
+msgstr "Megpróbált csatlakozni a (z) {0} -hez, de a gép nem része a csoportnak.Látogasson el a weboldalra, és konfigurálhatja azt csoporttagnak."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
+msgctxt "@info:title"
+msgid "Not a group host"
+msgstr "Nem csoport"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
+msgctxt "@action"
+msgid "Configure group"
+msgstr "Csoport konfiguráció"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
+#, python-brace-format
+msgctxt "@info:status"
+msgid ""
+"Your printer {printer_name} could be connected via cloud.\n"
+" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
+msgctxt "@info:title"
+msgid "Are you ready for cloud printing?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
+msgctxt "@action"
+msgid "Get started"
+msgstr "Kezdjük el"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
+msgctxt "@action"
+msgid "Learn more"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
+msgctxt "@action:button"
+msgid "Print via cloud"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
+msgctxt "@properties:tooltip"
+msgid "Print via cloud"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
+msgctxt "@info:status"
+msgid "Connected via cloud"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
+msgctxt "@action:button"
+msgid "Monitor print"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
+msgctxt "@action:tooltip"
+msgid "Track the print in Ultimaker Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
+#, python-brace-format
+msgctxt "@error:send"
+msgid "Unknown error code when uploading print job: {0}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:229
+msgctxt "info:status"
+msgid "New printer detected from your Ultimaker account"
+msgid_plural "New printers detected from your Ultimaker account"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:240
+#, python-brace-format
+msgctxt "info:status Filled in with printer name and printer model."
+msgid "Adding printer {name} ({model}) from your account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:257
+#, python-brace-format
+msgctxt "info:{0} gets replaced by a number of printers"
+msgid "... and {0} other"
+msgid_plural "... and {0} others"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:262
+msgctxt "info:status"
+msgid "Printers added from Digital Factory:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:328
+msgctxt "info:status"
+msgid "A cloud connection is not available for a printer"
+msgid_plural "A cloud connection is not available for some printers"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:337
+msgctxt "info:status"
+msgid "This printer is not linked to the Digital Factory:"
+msgid_plural "These printers are not linked to the Digital Factory:"
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:342
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:432
+msgctxt "info:name"
+msgid "Ultimaker Digital Factory"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:346
+#, python-brace-format
+msgctxt "info:status"
+msgid "To establish a connection, please visit the {website_link}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:350
+msgctxt "@action:button"
+msgid "Keep printer configurations"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:355
+msgctxt "@action:button"
+msgid "Remove printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:434
+#, python-brace-format
+msgctxt "@message {printer_name} is replaced with the name of the printer"
+msgid "{printer_name} will be removed until the next account sync."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:435
+#, python-brace-format
+msgctxt "@message {printer_name} is replaced with the name of the printer"
+msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:436
+#, python-brace-format
+msgctxt "@message {printer_name} is replaced with the name of the printer"
+msgid "Are you sure you want to remove {printer_name} temporarily?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:473
+msgctxt "@title:window"
+msgid "Remove printers?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:476
#, python-brace-format
msgctxt "@label"
-msgid "Group #{group_nr}"
-msgstr "Csoport #{group_nr}"
+msgid ""
+"You are about to remove {0} printer from Cura. This action cannot be undone.\n"
+"Are you sure you want to continue?"
+msgid_plural ""
+"You are about to remove {0} printers from Cura. This action cannot be undone.\n"
+"Are you sure you want to continue?"
+msgstr[0] ""
+msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:85
-msgctxt "@tooltip"
-msgid "Outer Wall"
-msgstr "Külső fal"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:86
-msgctxt "@tooltip"
-msgid "Inner Walls"
-msgstr "Belső falak"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:87
-msgctxt "@tooltip"
-msgid "Skin"
-msgstr "Héj"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:88
-msgctxt "@tooltip"
-msgid "Infill"
-msgstr "Kitöltés"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:89
-msgctxt "@tooltip"
-msgid "Support Infill"
-msgstr "Támasz kitöltés"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:90
-msgctxt "@tooltip"
-msgid "Support Interface"
-msgstr "Támasz interface"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:91
-msgctxt "@tooltip"
-msgid "Support"
-msgstr "Támasz"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:92
-msgctxt "@tooltip"
-msgid "Skirt"
-msgstr "Szoknya"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:93
-msgctxt "@tooltip"
-msgid "Prime Tower"
-msgstr "Elsődleges torony"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:94
-msgctxt "@tooltip"
-msgid "Travel"
-msgstr "Átmozgás"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:95
-msgctxt "@tooltip"
-msgid "Retractions"
-msgstr "Visszahúzás"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/PrintInformation.py:96
-msgctxt "@tooltip"
-msgid "Other"
-msgstr "Egyéb"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:37
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/TextManager.py:61
-msgctxt "@text:window"
-msgid "The release notes could not be opened."
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:481
+msgctxt "@label"
+msgid ""
+"You are about to remove all printers from Cura. This action cannot be undone.\n"
+"Are you sure you want to continue?"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:56
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:259
-msgctxt "@action:button"
-msgid "Next"
-msgstr "Következő"
-
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WelcomePagesModel.py:268
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:55
-msgctxt "@action:button"
-msgid "Skip"
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:15
+msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
+msgid "Open Compressed Triangle Mesh"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/cura/UI/WhatsNewPagesModel.py:60
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:128
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:485
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:174
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:127
-msgctxt "@action:button"
-msgid "Close"
-msgstr "Bezár"
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:19
+msgctxt "@item:inlistbox"
+msgid "COLLADA Digital Asset Exchange"
+msgstr "COLLADA digitális eszközcsere"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:31
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:23
+msgctxt "@item:inlistbox"
+msgid "glTF Binary"
+msgstr "glTF Bináris"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:27
+msgctxt "@item:inlistbox"
+msgid "glTF Embedded JSON"
+msgstr "glTF beágyazott JSON"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:36
+msgctxt "@item:inlistbox"
+msgid "Stanford Triangle Format"
+msgstr "Stanford háromszög formátum"
+
+#: /home/clamboo/Desktop/Cura/plugins/TrimeshReader/__init__.py:40
+msgctxt "@item:inlistbox"
+msgid "Compressed COLLADA Digital Asset Exchange"
+msgstr "Tömörített COLLADA digitális eszközcsere"
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:71
+msgctxt "@info:status"
+msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/SolidView.py:73
+msgctxt "@info:title"
+msgid "Model Errors"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SolidView/__init__.py:12
+msgctxt "@item:inmenu"
+msgid "Solid view"
+msgstr "Felület nézet"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWriter.py:226
+msgctxt "@error:zip"
+msgid "Error writing 3mf file."
+msgstr "Hiba a 3mf fájl írásakor."
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
+msgctxt "@error:zip"
+msgid "3MF Writer plug-in is corrupt."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:37
+msgctxt "@error"
+msgid "There is no workspace yet to write. Please add a printer first."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:64
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:97
+msgctxt "@error:zip"
+msgid "No permission to write the workspace here."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:101
+msgctxt "@error:zip"
+msgid "The operating system does not allow saving a project file to this location or with this file name."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:26
+msgctxt "@item:inlistbox"
+msgid "3MF file"
+msgstr "3MF fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/3MFWriter/__init__.py:34
+msgctxt "@item:inlistbox"
+msgid "Cura Project 3MF file"
+msgstr "Cura projekt 3MF fájl"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/__init__.py:14
+msgctxt "@item:inmenu"
+msgid "Monitor"
+msgstr "Monitor"
+
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:31
msgctxt "@info:title"
msgid "3D Model Assistant"
msgstr "3D-s modellsegéd"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.py:97
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.py:97
#, python-brace-format
msgctxt "@info:status"
msgid ""
@@ -777,1528 +1776,1533 @@ msgstr ""
"Itt Megtudhatja, hogyan lehet a lehető legjobb nyomtatási minőséget és megbízhatóságot biztosítani.
\n"
"View print quality guide
"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:540
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Project file {0} contains an unknown machine type {1}. Cannot import the machine. Models will be imported instead."
-msgstr "A projekt fájl {0} egy ismeretlen {1} géptípust tartalmaz.Gépet nem lehet importálni. Importálj helyette modelleket."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
+msgctxt "@label"
+msgid "Mesh Type"
+msgstr "Háló típus"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:543
-msgctxt "@info:title"
-msgid "Open Project File"
-msgstr "Projekt fájl megnyitása"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
+msgctxt "@label"
+msgid "Normal model"
+msgstr "Normál mód"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:640
-#, python-brace-format
-msgctxt "@info:error Don't translate the XML tags or !"
-msgid "Project file {0} is suddenly inaccessible: {1}."
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
+msgctxt "@label"
+msgid "Print as support"
+msgstr "Támaszként nyomtassa"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
+msgctxt "@label"
+msgid "Modify settings for overlaps"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:641
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:649
-msgctxt "@info:title"
-msgid "Can't Open Project File"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
+msgctxt "@label"
+msgid "Don't support overlaps"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:648
-#, python-brace-format
-msgctxt "@info:error Don't translate the XML tags or !"
-msgid "Project file {0} is corrupt: {1}."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/ThreeMFWorkspaceReader.py:701
-#, python-brace-format
-msgctxt "@info:error Don't translate the XML tag !"
-msgid "Project file {0} is made using profiles that are unknown to this version of Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:203
-msgctxt "@title:tab"
-msgid "Recommended"
-msgstr "Ajánlott"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.py:205
-msgctxt "@title:tab"
-msgid "Custom"
-msgstr "Egyedi"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:27
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/__init__.py:33
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
msgctxt "@item:inlistbox"
-msgid "3MF File"
-msgstr "3MF fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:31
-msgctxt "@error:zip"
-msgid "3MF Writer plug-in is corrupt."
+msgid "Infill mesh only"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:59
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:92
-msgctxt "@error:zip"
-msgid "No permission to write the workspace here."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWorkspaceWriter.py:96
-msgctxt "@error:zip"
-msgid "The operating system does not allow saving a project file to this location or with this file name."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/ThreeMFWriter.py:206
-msgctxt "@error:zip"
-msgid "Error writing 3mf file."
-msgstr "Hiba a 3mf fájl írásakor."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:26
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
msgctxt "@item:inlistbox"
-msgid "3MF file"
-msgstr "3MF fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFWriter/__init__.py:34
-msgctxt "@item:inlistbox"
-msgid "Cura Project 3MF file"
-msgstr "Cura projekt 3MF fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/AMFReader/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "AMF File"
-msgstr "AMF fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:25
-msgctxt "@info:title"
-msgid "Backups"
-msgstr "Biztonsági mentések"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error while uploading your backup."
-msgstr "Hiba történt a biztonsági mentés feltöltése közben."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:46
-msgctxt "@info:backup_status"
-msgid "Creating your backup..."
+msgid "Cutting mesh"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:55
-msgctxt "@info:backup_status"
-msgid "There was an error while creating your backup."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:59
-msgctxt "@info:backup_status"
-msgid "Uploading your backup..."
-msgstr "A biztonsági mentés feltöltése ..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:69
-msgctxt "@info:backup_status"
-msgid "Your backup has finished uploading."
-msgstr "A biztonsági mentés feltöltése befejeződött."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/CreateBackupJob.py:103
-msgctxt "@error:file_size"
-msgid "The backup exceeds the maximum file size."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DriveApiService.py:86
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/RestoreBackupJob.py:26
-msgctxt "@info:backup_status"
-msgid "There was an error trying to restore your backup."
-msgstr "Hiba történt a biztonsági másolat visszaállításakor."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/DrivePluginExtension.py:69
-msgctxt "@item:inmenu"
-msgid "Manage backups"
-msgstr "Bitonsági mentések kezelése"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:161
-msgctxt "@message"
-msgid "Slicing failed with an unexpected error. Please consider reporting a bug on our issue tracker."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:162
-msgctxt "@message:title"
-msgid "Slicing failed"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:167
-msgctxt "@message:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:168
-msgctxt "@message:description"
-msgid "Report a bug on Ultimaker Cura's issue tracker."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:395
-msgctxt "@info:status"
-msgid "Unable to slice with the current material as it is incompatible with the selected machine or configuration."
-msgstr "Nem lehet szeletelni a jelenlegi alapanyaggal, mert nem kompatibilis a kiválasztott nyomtatóval, vagy a beállításaival."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:396
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:429
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:456
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:468
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:480
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:493
-msgctxt "@info:title"
-msgid "Unable to slice"
-msgstr "Nem lehet szeletelni"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:428
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Unable to slice with the current settings. The following settings have errors: {0}"
-msgstr "Nem lehet szeletelni ezekkel a beállításokkal. Ezek a beállítások okoznak hibát: {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:455
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Unable to slice due to some per-model settings. The following settings have errors on one or more models: {error_labels}"
-msgstr "Nem lehet szeletelni pár modell beállítás miatt. A következő beállításokokoznak hibát egy vagy több modellnél: {error_labels}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:467
-msgctxt "@info:status"
-msgid "Unable to slice because the prime tower or prime position(s) are invalid."
-msgstr "Nem lehet szeletelni, mert az elsődleges torony, vagy az elsődleges pozíció érvénytelen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:479
-#, python-format
-msgctxt "@info:status"
-msgid "Unable to slice because there are objects associated with disabled Extruder %s."
-msgstr "Nem lehet szeletelni, mert vannak olyan objektumok, amelyek a letiltott Extruderhez vannak társítva.%s."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/CuraEngineBackend.py:489
-msgctxt "@info:status"
-msgid ""
-"Please review settings and check if your models:\n"
-"- Fit within the build volume\n"
-"- Are assigned to an enabled extruder\n"
-"- Are not all set as modifier meshes"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:52
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:260
-msgctxt "@info:status"
-msgid "Processing Layers"
-msgstr "Réteg feldolgozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraEngineBackend/ProcessSlicedLayersJob.py:261
-msgctxt "@info:title"
-msgid "Information"
-msgstr "Információ"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraProfileWriter/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura Profile"
-msgstr "Cura Profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerJob.py:127
-msgctxt "@info"
-msgid "Could not access update information."
-msgstr "Nem sikerült elérni a frissítési információkat."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:17
-#, python-brace-format
-msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
-msgid "New features or bug-fixes may be available for your {machine_name}! If you haven't done so already, it is recommended to update the firmware on your printer to version {latest_version}."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:22
-#, python-format
-msgctxt "@info:title The %s gets replaced with the printer name."
-msgid "New %s stable firmware available"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdateChecker/FirmwareUpdateCheckerMessage.py:28
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
msgctxt "@action:button"
-msgid "How to update"
-msgstr "Hogyan frissíts"
+msgid "Select settings"
+msgstr "Beállítások kiválasztása"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:27
-msgctxt "@action"
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
+msgctxt "@title:window"
+msgid "Select Settings to Customize for this model"
+msgstr "A modellek egyéni beállításainak kiválasztása"
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
+msgctxt "@label:textbox"
+msgid "Filter..."
+msgstr "Szűrés..."
+
+#: /home/clamboo/Desktop/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
+msgctxt "@label:checkbox"
+msgid "Show all"
+msgstr "Mindent mutat"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/main.qml:25
+msgctxt "@title:window"
+msgid "Cura Backups"
+msgstr "Cura biztonsági mentések"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
+msgctxt "@backuplist:label"
+msgid "Cura Version"
+msgstr "Cura verzió"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
+msgctxt "@backuplist:label"
+msgid "Machines"
+msgstr "Gépek"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
+msgctxt "@backuplist:label"
+msgid "Materials"
+msgstr "Alapanyagok"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
+msgctxt "@backuplist:label"
+msgid "Profiles"
+msgstr "Profilok"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
+msgctxt "@backuplist:label"
+msgid "Plugins"
+msgstr "Beépülők"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
+msgctxt "@button"
+msgid "Want more?"
+msgstr "Többet szeretnél?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
+msgctxt "@button"
+msgid "Backup Now"
+msgstr "Biztonsági mentés most"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
+msgctxt "@checkbox:description"
+msgid "Auto Backup"
+msgstr "Automatikus biztonsági mentés"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
+msgctxt "@checkbox:description"
+msgid "Automatically create a backup each day that Cura is started."
+msgstr "Automatikusan létrehoz egy biztonsági mentést minden egyes nap, mikor a Cura indítva van."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
+msgctxt "@button"
+msgid "Restore"
+msgstr "Visszaállítás"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
+msgctxt "@dialog:title"
+msgid "Delete Backup"
+msgstr "Biztonsági mentés törlés"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
+msgctxt "@dialog:info"
+msgid "Are you sure you want to delete this backup? This cannot be undone."
+msgstr "Biztosan szeretnéd törölni a biztonsági mentést? Ez nem vonható vissza."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
+msgctxt "@dialog:title"
+msgid "Restore Backup"
+msgstr "Helyreállítás biztonsági mentésből"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
+msgctxt "@dialog:info"
+msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
+msgstr "A biztonsági mentés helyreállítás előtt a Cura -t újra kell indítani.Bezárjuk most a Cura-t?"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
+msgctxt "@description"
+msgid "Backup and synchronize your Cura settings."
+msgstr "A Cura beállítások biztonsági mentése és szinkronizálása."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:171
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:53
+msgctxt "@button"
+msgid "Sign in"
+msgstr "Bejelentkezés"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
+msgctxt "@title"
+msgid "My Backups"
+msgstr "Biztonsági mentéseim"
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
+msgctxt "@empty_state"
+msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
+msgstr "Nincs egyetlen biztonsági mentésed sem. Használd a 'Biztonsági mentés' gombot, hogy létrehozz egyet."
+
+#: /home/clamboo/Desktop/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
+msgctxt "@backup_limit_info"
+msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
+msgstr "Az előnézeti szakaszban a látható biztonsági mentések száma 5 lehet.Ha szeretné látni a régebbieket, távolítson el egyet a láthatóak közül."
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
+msgctxt "@title:label"
+msgid "Printer Settings"
+msgstr "Nyomtató beállítás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
+msgctxt "@label"
+msgid "X (Width)"
+msgstr "X (Szélesség)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
+msgctxt "@label"
+msgid "mm"
+msgstr "mm"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
+msgctxt "@label"
+msgid "Y (Depth)"
+msgstr "Y (Mélység)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
+msgctxt "@label"
+msgid "Z (Height)"
+msgstr "Z (Magasság)"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
+msgctxt "@label"
+msgid "Build plate shape"
+msgstr "Tárgyasztal alakja"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
+msgctxt "@label"
+msgid "Origin at center"
+msgstr "Origó középen"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
+msgctxt "@label"
+msgid "Heated bed"
+msgstr "Fűtött asztal"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
+msgctxt "@label"
+msgid "Heated build volume"
+msgstr "Fűtött nyomtatási tér"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
+msgctxt "@label"
+msgid "G-code flavor"
+msgstr "G-kód illesztés"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
+msgctxt "@title:label"
+msgid "Printhead Settings"
+msgstr "Nyomtatófej beállítások"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
+msgctxt "@label"
+msgid "X min"
+msgstr "X min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
+msgctxt "@label"
+msgid "Y min"
+msgstr "Y min"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
+msgctxt "@label"
+msgid "X max"
+msgstr "X max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
+msgctxt "@label"
+msgid "Y max"
+msgstr "Y max"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
+msgctxt "@label"
+msgid "Gantry Height"
+msgstr "Szán magasság"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
+msgctxt "@label"
+msgid "Number of Extruders"
+msgstr "Extruderek száma"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
+msgctxt "@label"
+msgid "Apply Extruder offsets to GCode"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
+msgctxt "@title:label"
+msgid "Start G-code"
+msgstr "G-kód kezdés"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
+msgctxt "@title:label"
+msgid "End G-code"
+msgstr "G-kód zárás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
+msgctxt "@title:label"
+msgid "Nozzle Settings"
+msgstr "Fűvóka beállítások"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+msgctxt "@label"
+msgid "Nozzle size"
+msgstr "Fúvóka méret"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+msgctxt "@label"
+msgid "Compatible material diameter"
+msgstr "Nyomtatószál átmérő"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+msgctxt "@label"
+msgid "Nozzle offset X"
+msgstr "Fúvóka X eltolás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
+msgctxt "@label"
+msgid "Nozzle offset Y"
+msgstr "Fúvóka Y eltolás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
+msgctxt "@label"
+msgid "Cooling Fan Number"
+msgstr "Hűtőventilátorok száma"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
+msgctxt "@title:label"
+msgid "Extruder Start G-code"
+msgstr "Extruder G-kód kezdés"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
+msgctxt "@title:label"
+msgid "Extruder End G-code"
+msgstr "Extruder G-kód zárás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
+msgctxt "@title:tab"
+msgid "Printer"
+msgstr "Nyomtató"
+
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
+msgctxt "@title"
msgid "Update Firmware"
msgstr "Firmware frissítés"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzReader/__init__.py:17
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/__init__.py:17
-msgctxt "@item:inlistbox"
-msgid "Compressed G-code File"
-msgstr "Tömörített G-kód fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeGzWriter/GCodeGzWriter.py:43
-msgctxt "@error:not supported"
-msgid "GCodeGzWriter does not support text mode."
-msgstr "A GCodeGzWriter nem támogatja a nem szöveges módot."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeProfileReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:14
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/__init__.py:16
-msgctxt "@item:inlistbox"
-msgid "G-code File"
-msgstr "G-code Fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:347
-msgctxt "@info:status"
-msgid "Parsing G-code"
-msgstr "G-kód elemzés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:349
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:503
-msgctxt "@info:title"
-msgid "G-code Details"
-msgstr "G-kód részletek"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/FlavorParser.py:501
-msgctxt "@info:generic"
-msgid "Make sure the g-code is suitable for your printer and printer configuration before sending the file to it. The g-code representation may not be accurate."
-msgstr "Győződj meg róla, hogy a G-kód igazodik a nyomtatódhoz és beállításaihoz, mielőtt elküldöd a fájlt. A G-kód ábrázolása nem biztos, hogy pontos."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "G File"
-msgstr "G fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:74
-msgctxt "@error:not supported"
-msgid "GCodeWriter does not support non-text mode."
-msgstr "A GCodeWriter nem támogatja a szöveges nélüli módot."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:96
-msgctxt "@warning:status"
-msgid "Please prepare G-code before exporting."
-msgstr "Készítse elő a G-kódot az exportálás előtt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "JPG Image"
-msgstr "JPG kép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:18
-msgctxt "@item:inlistbox"
-msgid "JPEG Image"
-msgstr "JPEG kép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:22
-msgctxt "@item:inlistbox"
-msgid "PNG Image"
-msgstr "PNG kép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:26
-msgctxt "@item:inlistbox"
-msgid "BMP Image"
-msgstr "BMP kép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/__init__.py:30
-msgctxt "@item:inlistbox"
-msgid "GIF Image"
-msgstr "GIF kép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/LegacyProfileReader/__init__.py:14
-msgctxt "@item:inlistbox"
-msgid "Cura 15.04 profiles"
-msgstr "Cura 15.04 profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:32
-msgctxt "@action"
-msgid "Machine Settings"
-msgstr "Gép beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/__init__.py:14
-msgctxt "@item:inmenu"
-msgid "Monitor"
-msgstr "Monitor"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
msgctxt "@label"
-msgid "Per Model Settings"
-msgstr "Modellenkénti beállítások"
+msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
+msgstr "A firmware egy szoftver, ami közvetlenül a nyomtatón fut. Ez vezérli a léptető motorokat, szabályozza a hőmérsékleteket, és az egész nyomtató működését."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
-msgctxt "@info:tooltip"
-msgid "Configure Per Model Settings"
-msgstr "Modellenkénti beállítások konfigurálása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:35
-msgctxt "@item:inmenu"
-msgid "Post Processing"
-msgstr "Utólagos műveletek"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.py:36
-msgctxt "@item:inmenu"
-msgid "Modify G-Code"
-msgstr "G-kód módosítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PrepareStage/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Prepare"
-msgstr "Előkészítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PreviewStage/__init__.py:13
-msgctxt "@item:inmenu"
-msgid "Preview"
-msgstr "Előnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:23
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Save to Removable Drive"
-msgstr "Mentés külső meghajtóra"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:24
-#, python-brace-format
-msgctxt "@item:inlistbox"
-msgid "Save to Removable Drive {0}"
-msgstr "Mentés külső meghajtóra {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:66
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/MeshFormatHandler.py:118
-msgctxt "@info:status"
-msgid "There are no file formats available to write with!"
-msgstr "Nincsenek elérhető fájlformátumok az íráshoz!"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:97
-#, python-brace-format
-msgctxt "@info:progress Don't translate the XML tags !"
-msgid "Saving to Removable Drive {0}"
-msgstr "Mentés külső meghajóra {0}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:98
-msgctxt "@info:title"
-msgid "Saving"
-msgstr "Mentés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:108
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:111
-#, python-brace-format
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not save to {0}: {1}"
-msgstr "Sikertelen mentés {0}: {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:127
-#, python-brace-format
-msgctxt "@info:status Don't translate the tag {device}!"
-msgid "Could not find a file name when trying to write to {device}."
-msgstr "Nem található a fájlnév {device} -on az írási művelethez."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:140
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:159
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Could not save to removable drive {0}: {1}"
-msgstr "Sikertelen mentés a {0}: {1} meghajtóra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:150
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Saved to Removable Drive {0} as {1}"
-msgstr "Mentve a {0} meghajtóra, mint {1}"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:151
-msgctxt "@info:title"
-msgid "File Saved"
-msgstr "Fájl Mentve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-msgctxt "@action:button"
-msgid "Eject"
-msgstr "Leválaszt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:153
-#, python-brace-format
-msgctxt "@action"
-msgid "Eject removable device {0}"
-msgstr "{0} meghajtó leválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:172
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Ejected {0}. You can now safely remove the drive."
-msgstr "{0} leválasztva. Eltávolíthatod az adathordozót."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:173
-msgctxt "@info:title"
-msgid "Safely Remove Hardware"
-msgstr "Hardver biztonságos eltávolítása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:176
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Failed to eject {0}. Another program may be using the drive."
-msgstr "{0} leválasztása sikertelen. A meghajtó használatban van."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/RemovableDriveOutputDevice/WindowsRemovableDrivePlugin.py:76
-msgctxt "@item:intext"
-msgid "Removable Drive"
-msgstr "Cserélhető meghajtó"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:129
-msgctxt "@info:status"
-msgid "Cura does not accurately display layers when Wire Printing is enabled."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:130
-msgctxt "@info:title"
-msgid "Simulation View"
-msgstr "Szimuláció nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:133
-msgctxt "@info:status"
-msgid "Nothing is shown because you need to slice first."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:134
-msgctxt "@info:title"
-msgid "No layers to show"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationView.py:136
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:74
-msgctxt "@info:option_text"
-msgid "Do not show this message again"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/__init__.py:15
-msgctxt "@item:inlistbox"
-msgid "Layer view"
-msgstr "Réteg nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:95
-msgctxt "@text"
-msgid "Unable to read example data file."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:71
-msgctxt "@info:status"
-msgid "The highlighted areas indicate either missing or extraneous surfaces. Fix your model and open it again into Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/SolidView.py:73
-msgctxt "@info:title"
-msgid "Model Errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SolidView/__init__.py:12
-msgctxt "@item:inmenu"
-msgid "Solid view"
-msgstr "Felület nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:12
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
msgctxt "@label"
-msgid "Support Blocker"
-msgstr "Támasz blokkoló"
+msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
+msgstr "A firmware a nyomtató része, így a használatba vételkor már a gépen található.Azonban készülnek belőle újabb verziók, amik esetleges hibákat szüntetnek meg, illetve egyéb új funkciókat biztosíthatnak."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SupportEraser/__init__.py:13
-msgctxt "@info:tooltip"
-msgid "Create a volume in which supports are not printed."
-msgstr "Hozzon létre egy kötetet, amelyben a támaszok nem kerülnek nyomtatásra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:142
-msgctxt "@info:generic"
-msgid "Do you want to sync material and software packages with your account?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:143
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:95
-msgctxt "@info:title"
-msgid "Changes detected from your Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/CloudPackageChecker.py:145
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
msgctxt "@action:button"
-msgid "Sync"
-msgstr ""
+msgid "Automatically upgrade Firmware"
+msgstr "Automatikus firmware frissítés"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/DownloadPresenter.py:91
-msgctxt "@info:generic"
-msgid "Syncing..."
-msgstr ""
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
+msgctxt "@action:button"
+msgid "Upload custom Firmware"
+msgstr "Egyedi firmware feltöltése"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:9
-msgctxt "@button"
-msgid "Decline"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
+msgctxt "@label"
+msgid "Firmware can not be updated because there is no connection with the printer."
+msgstr "A firmware feltöltés nem lehetséges, mert nincs a nyomtatóval kapcsolat."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:10
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:56
-msgctxt "@button"
-msgid "Agree"
-msgstr "Elfogadás"
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
+msgctxt "@label"
+msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
+msgstr "A firmware feltöltés nem lehetséges, mert ugyan a nyomtató kapcsolódik, de az nem támogatja a firmware frissítést."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicenseModel.py:74
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
msgctxt "@title:window"
-msgid "Plugin License Agreement"
-msgstr "Kiegészítő licencszerződés"
+msgid "Select custom firmware"
+msgstr "Egyedi firmware kiválasztása"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/LicensePresenter.py:41
-msgctxt "@button"
-msgid "Decline and remove from account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/RestartApplicationPresenter.py:19
-msgctxt "@info:generic"
-msgid "You need to quit and restart {} before changes have effect."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/src/CloudSync/SyncOrchestrator.py:79
-msgctxt "@info:generic"
-msgid "{} plugins failed to download"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:15
-msgctxt "@item:inlistbox 'Open' is part of the name of this file format."
-msgid "Open Compressed Triangle Mesh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:19
-msgctxt "@item:inlistbox"
-msgid "COLLADA Digital Asset Exchange"
-msgstr "COLLADA digitális eszközcsere"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:23
-msgctxt "@item:inlistbox"
-msgid "glTF Binary"
-msgstr "glTF Bináris"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:27
-msgctxt "@item:inlistbox"
-msgid "glTF Embedded JSON"
-msgstr "glTF beágyazott JSON"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:36
-msgctxt "@item:inlistbox"
-msgid "Stanford Triangle Format"
-msgstr "Stanford háromszög formátum"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/TrimeshReader/__init__.py:40
-msgctxt "@item:inlistbox"
-msgid "Compressed COLLADA Digital Asset Exchange"
-msgstr "Tömörített COLLADA digitális eszközcsere"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPReader/__init__.py:22
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/__init__.py:28
-msgctxt "@item:inlistbox"
-msgid "Ultimaker Format Package"
-msgstr "Ultimaker formátumcsomag"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:57
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:72
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:94
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:149
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UFPWriter/UFPWriter.py:159
-msgctxt "@info:error"
-msgid "Can't write to UFP file:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.py:24
-msgctxt "@action"
-msgid "Level build plate"
-msgstr "Tárgyasztal szint"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelection.py:21
-msgctxt "@action"
-msgid "Select upgrades"
-msgstr "Válassz frissítést"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:154
-msgctxt "@action:button"
-msgid "Print via cloud"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:155
-msgctxt "@properties:tooltip"
-msgid "Print via cloud"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:156
-msgctxt "@info:status"
-msgid "Connected via cloud"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:261
-msgctxt "@action:button"
-msgid "Monitor print"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:263
-msgctxt "@action:tooltip"
-msgid "Track the print in Ultimaker Digital Factory"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDevice.py:279
-#, python-brace-format
-msgctxt "@error:send"
-msgid "Unknown error code when uploading print job: {0}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:222
-msgctxt "info:status"
-msgid "New printer detected from your Ultimaker account"
-msgid_plural "New printers detected from your Ultimaker account"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:233
-#, python-brace-format
-msgctxt "info:status Filled in with printer name and printer model."
-msgid "Adding printer {name} ({model}) from your account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:250
-#, python-brace-format
-msgctxt "info:{0} gets replaced by a number of printers"
-msgid "... and {0} other"
-msgid_plural "... and {0} others"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:255
-msgctxt "info:status"
-msgid "Printers added from Digital Factory:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:311
-msgctxt "info:status"
-msgid "A cloud connection is not available for a printer"
-msgid_plural "A cloud connection is not available for some printers"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:320
-msgctxt "info:status"
-msgid "This printer is not linked to the Digital Factory:"
-msgid_plural "These printers are not linked to the Digital Factory:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:325
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:415
-msgctxt "info:name"
-msgid "Ultimaker Digital Factory"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:329
-#, python-brace-format
-msgctxt "info:status"
-msgid "To establish a connection, please visit the {website_link}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:333
-msgctxt "@action:button"
-msgid "Keep printer configurations"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:338
-msgctxt "@action:button"
-msgid "Remove printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:417
-#, python-brace-format
-msgctxt "@message {printer_name} is replaced with the name of the printer"
-msgid "{printer_name} will be removed until the next account sync."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:418
-#, python-brace-format
-msgctxt "@message {printer_name} is replaced with the name of the printer"
-msgid "To remove {printer_name} permanently, visit {digital_factory_link}"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:419
-#, python-brace-format
-msgctxt "@message {printer_name} is replaced with the name of the printer"
-msgid "Are you sure you want to remove {printer_name} temporarily?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:456
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
msgctxt "@title:window"
-msgid "Remove printers?"
-msgstr ""
+msgid "Firmware Update"
+msgstr "Firmware frissítés"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:459
-#, python-brace-format
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
msgctxt "@label"
-msgid ""
-"You are about to remove {0} printer from Cura. This action cannot be undone.\n"
-"Are you sure you want to continue?"
-msgid_plural ""
-"You are about to remove {0} printers from Cura. This action cannot be undone.\n"
-"Are you sure you want to continue?"
-msgstr[0] ""
-msgstr[1] ""
+msgid "Updating firmware."
+msgstr "A firmware frissítése."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Cloud/CloudOutputDeviceManager.py:464
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
msgctxt "@label"
-msgid ""
-"You are about to remove all printers from Cura. This action cannot be undone.\n"
-"Are you sure you want to continue?"
-msgstr ""
+msgid "Firmware update completed."
+msgstr "Firmware frissítés kész."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:25
-#, python-brace-format
-msgctxt "@info:status"
-msgid ""
-"Your printer {printer_name} could be connected via cloud.\n"
-" Manage your print queue and monitor your prints from anywhere connecting your printer to Digital Factory"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:26
-msgctxt "@info:title"
-msgid "Are you ready for cloud printing?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:30
-msgctxt "@action"
-msgid "Get started"
-msgstr "Kezdjük el"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/CloudFlowMessage.py:31
-msgctxt "@action"
-msgid "Learn more"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:18
-msgctxt "@info:status"
-msgid "You are attempting to connect to a printer that is not running Ultimaker Connect. Please update the printer to the latest firmware."
-msgstr "Olyan nyomtatóval próbál csatlakozni, amelyen nem fut az Ultimaker Connect. Kérjük, frissítse a nyomtatón a firmware-t."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/LegacyDeviceNoLongerSupportedMessage.py:21
-msgctxt "@info:title"
-msgid "Update your printer"
-msgstr "Frissítse a nyomtatót"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:24
-#, python-brace-format
-msgctxt "@info:status"
-msgid "Cura has detected material profiles that were not yet installed on the host printer of group {0}."
-msgstr "A Cura olyan anyagprofilt észlel, amelyet még nem telepítettek a(z) {0} csoport gazdanyomtatójára."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/MaterialSyncMessage.py:26
-msgctxt "@info:title"
-msgid "Sending materials to printer"
-msgstr "Anyagok küldése a nyomtatóra"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:27
-#, python-brace-format
-msgctxt "@info:status"
-msgid "You are attempting to connect to {0} but it is not the host of a group. You can visit the web page to configure it as a group host."
-msgstr "Megpróbált csatlakozni a (z) {0} -hez, de a gép nem része a csoportnak.Látogasson el a weboldalra, és konfigurálhatja azt csoporttagnak."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:30
-msgctxt "@info:title"
-msgid "Not a group host"
-msgstr "Nem csoport"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/NotClusterHostMessage.py:36
-msgctxt "@action"
-msgid "Configure group"
-msgstr "Csoport konfiguráció"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:15
-msgctxt "@info:status"
-msgid "Please wait until the current job has been sent."
-msgstr "Várja meg, amíg az aktuális feladat elküldésre kerül."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadBlockedMessage.py:16
-msgctxt "@info:title"
-msgid "Print error"
-msgstr "Nyomtatási hiba"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:15
-msgctxt "@info:text"
-msgid "Could not upload the data to the printer."
-msgstr "Nem sikerült feltölteni az adatokat a nyomtatóra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadErrorMessage.py:16
-msgctxt "@info:title"
-msgid "Network error"
-msgstr "Hálózati hiba"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:15
-msgctxt "@info:status"
-msgid "Sending Print Job"
-msgstr "Nyomtatási feladat küldése"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadProgressMessage.py:16
-msgctxt "@info:status"
-msgid "Uploading print job to printer."
-msgstr "A nyomtatási feladat feltöltése a nyomtatóra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:16
-msgctxt "@info:status"
-msgid "Print job queue is full. The printer can't accept a new job."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadQueueFullMessage.py:17
-msgctxt "@info:title"
-msgid "Queue Full"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:15
-msgctxt "@info:status"
-msgid "Print job was successfully sent to the printer."
-msgstr "A nyomtatási feladat sikeresen elküldésre került a nyomtatóra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Messages/PrintJobUploadSuccessMessage.py:16
-msgctxt "@info:title"
-msgid "Data Sent"
-msgstr "Adatok elküldve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:58
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print over network"
-msgstr "Hálózati nyomtatás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:59
-msgctxt "@properties:tooltip"
-msgid "Print over network"
-msgstr "Hálózati nyomtatás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Network/LocalClusterOutputDevice.py:60
-msgctxt "@info:status"
-msgid "Connected over the network"
-msgstr "Csatlakozva hálózaton keresztül"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/UltimakerNetworkedPrinterAction.py:28
-msgctxt "@action"
-msgid "Connect via Network"
-msgstr "Hálózati csatlakozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:27
-msgctxt "@info:status"
-msgid "tomorrow"
-msgstr "holnap"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/src/Utils.py:30
-msgctxt "@info:status"
-msgid "today"
-msgstr "ma"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:42
-msgctxt "@item:inmenu"
-msgid "USB printing"
-msgstr "USB nyomtatás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:43
-msgctxt "@action:button Preceded by 'Ready to'."
-msgid "Print via USB"
-msgstr "Nyomtatás USB-ről"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:44
-msgctxt "@info:tooltip"
-msgid "Print via USB"
-msgstr "Nyomtatás USB-ről"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:80
-msgctxt "@info:status"
-msgid "Connected via USB"
-msgstr "Csatlakozás USB-n"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:110
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
msgctxt "@label"
-msgid "A USB print is in progress, closing Cura will stop this print. Are you sure?"
-msgstr "USB nyomtatás folyamatban van, a Cura bezárása leállítja ezt a nyomtatást. Biztos vagy ebben?"
+msgid "Firmware update failed due to an unknown error."
+msgstr "A firmware frissítés meghiúsult ismeretlen hiba miatt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:135
-msgctxt "@message"
-msgid "A print is still in progress. Cura cannot start another print via USB until the previous print has completed."
-msgstr "A nyomtatás még folyamatban van. A Cura nem indíthat új nyomtatást USB-n keresztül, amíg az előző nyomtatás be nem fejeződött."
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
+msgctxt "@label"
+msgid "Firmware update failed due to an communication error."
+msgstr "A firmware frissítés meghiúsult kommunikációs hiba miatt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/USBPrinting/USBPrinterOutputDevice.py:136
-msgctxt "@message"
-msgid "Print in Progress"
-msgstr "Nyomtatás folyamatban"
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
+msgctxt "@label"
+msgid "Firmware update failed due to an input/output error."
+msgstr "A firmware frissítés meghiúsult input/output hiba miatt."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/X3DReader/__init__.py:13
-msgctxt "@item:inlistbox"
-msgid "X3D File"
-msgstr "X3D Fájl"
+#: /home/clamboo/Desktop/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
+msgctxt "@label"
+msgid "Firmware update failed due to missing firmware."
+msgstr "A firmware frissítés meghiúsult, mert nem található a firmware."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/XRayView/__init__.py:12
-msgctxt "@item:inlistbox"
-msgid "X-Ray view"
-msgstr "Röntgen nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ModelChecker/ModelChecker.qml:22
-msgctxt "@info:tooltip"
-msgid "Some things could be problematic in this print. Click to see tips for adjustment."
-msgstr "Néhány dolog problémát jelenthet ebben a nyomtatásban.Kattintson ide a beállítási tippek megtekintéséhez."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:15
msgctxt "@title:window"
msgid "Open Project"
msgstr "Projekt megnyitása"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:62
msgctxt "@action:ComboBox Update/override existing profile"
msgid "Update existing"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:63
msgctxt "@action:ComboBox Save settings in a new profile"
msgid "Create new"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:75
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:70
msgctxt "@action:title"
msgid "Summary - Cura Project"
msgstr "Összegzés - Cura Project"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:97
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:94
msgctxt "@action:label"
msgid "Printer settings"
msgstr "Nyomtató beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:113
msgctxt "@info:tooltip"
msgid "How should the conflict in the machine be resolved?"
msgstr "Hogyan lehet megoldani a gépet érintő konfliktust?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:103
msgctxt "@action:label"
msgid "Type"
msgstr "Típus"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:183
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
msgctxt "@action:label"
msgid "Printer Group"
msgstr "Nyomtató csoport"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:219
msgctxt "@action:label"
msgid "Profile settings"
msgstr "Profil beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:221
msgctxt "@info:tooltip"
msgid "How should the conflict in the profile be resolved?"
msgstr "Hogyan lehet megoldani a profilt érintő konfliktust?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:242
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:353
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:118
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:243
msgctxt "@action:label"
msgid "Name"
msgstr "Név"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:258
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:260
msgctxt "@action:label"
msgid "Intent"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:274
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:227
msgctxt "@action:label"
msgid "Not in profile"
msgstr "Nincs a profilban"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:279
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:232
msgctxt "@action:label"
msgid "%1 override"
msgid_plural "%1 overrides"
msgstr[0] "%1 felülírás"
msgstr[1] "%1 felülírás"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:290
msgctxt "@action:label"
msgid "Derivative from"
msgstr "Származék"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:295
msgctxt "@action:label"
msgid "%1, %2 override"
msgid_plural "%1, %2 overrides"
msgstr[0] "%1, %2 felülírás"
msgstr[1] "%1, %2 felülírás"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:312
msgctxt "@action:label"
msgid "Material settings"
msgstr "Alapanyag beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:328
msgctxt "@info:tooltip"
msgid "How should the conflict in the material be resolved?"
msgstr "Hogyan lehet megoldani az alapanyaggal kapcsolatos konfliktust?"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:373
msgctxt "@action:label"
msgid "Setting visibility"
msgstr "Beállítások láthatósága"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:382
msgctxt "@action:label"
msgid "Mode"
msgstr "Mód"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:398
msgctxt "@action:label"
msgid "Visible settings:"
msgstr "Látható beállítások:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:403
msgctxt "@action:label"
msgid "%1 out of %2"
msgstr "%1 %2 -ből"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:429
msgctxt "@action:warning"
msgid "Loading a project will clear all models on the build plate."
msgstr "A projekt betöltésekor minden modell törlődik a tárgyasztalról."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
+#: /home/clamboo/Desktop/Cura/plugins/3MFReader/WorkspaceDialog.qml:457
msgctxt "@action:button"
msgid "Open"
msgstr "Megnyitás"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:22
-msgctxt "@button"
-msgid "Want more?"
-msgstr "Többet szeretnél?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:31
-msgctxt "@button"
-msgid "Backup Now"
-msgstr "Biztonsági mentés most"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:43
-msgctxt "@checkbox:description"
-msgid "Auto Backup"
-msgstr "Automatikus biztonsági mentés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListFooter.qml:44
-msgctxt "@checkbox:description"
-msgid "Automatically create a backup each day that Cura is started."
-msgstr "Automatikusan létrehoz egy biztonsági mentést minden egyes nap, mikor a Cura indítva van."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:71
-msgctxt "@button"
-msgid "Restore"
-msgstr "Visszaállítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:100
-msgctxt "@dialog:title"
-msgid "Delete Backup"
-msgstr "Biztonsági mentés törlés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:101
-msgctxt "@dialog:info"
-msgid "Are you sure you want to delete this backup? This cannot be undone."
-msgstr "Biztosan szeretnéd törölni a biztonsági mentést? Ez nem vonható vissza."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:109
-msgctxt "@dialog:title"
-msgid "Restore Backup"
-msgstr "Helyreállítás biztonsági mentésből"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItem.qml:110
-msgctxt "@dialog:info"
-msgid "You will need to restart Cura before your backup is restored. Do you want to close Cura now?"
-msgstr "A biztonsági mentés helyreállítás előtt a Cura -t újra kell indítani.Bezárjuk most a Cura-t?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:21
-msgctxt "@backuplist:label"
-msgid "Cura Version"
-msgstr "Cura verzió"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:29
-msgctxt "@backuplist:label"
-msgid "Machines"
-msgstr "Gépek"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:37
-msgctxt "@backuplist:label"
-msgid "Materials"
-msgstr "Alapanyagok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:45
-msgctxt "@backuplist:label"
-msgid "Profiles"
-msgstr "Profilok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/components/BackupListItemDetails.qml:53
-msgctxt "@backuplist:label"
-msgid "Plugins"
-msgstr "Beépülők"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/main.qml:25
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
msgctxt "@title:window"
-msgid "Cura Backups"
-msgstr "Cura biztonsági mentések"
+msgid "Post Processing Plugin"
+msgstr "Utó művelet beépülő"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:28
-msgctxt "@title"
-msgid "My Backups"
-msgstr "Biztonsági mentéseim"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:38
-msgctxt "@empty_state"
-msgid "You don't have any backups currently. Use the 'Backup Now' button to create one."
-msgstr "Nincs egyetlen biztonsági mentésed sem. Használd a 'Biztonsági mentés' gombot, hogy létrehozz egyet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/BackupsPage.qml:60
-msgctxt "@backup_limit_info"
-msgid "During the preview phase, you'll be limited to 5 visible backups. Remove a backup to see older ones."
-msgstr "Az előnézeti szakaszban a látható biztonsági mentések száma 5 lehet.Ha szeretné látni a régebbieket, távolítson el egyet a láthatóak közül."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:34
-msgctxt "@description"
-msgid "Backup and synchronize your Cura settings."
-msgstr "A Cura beállítások biztonsági mentése és szinkronizálása."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/CuraDrive/src/qml/pages/WelcomePage.qml:51
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:53
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:225
-msgctxt "@button"
-msgid "Sign in"
-msgstr "Bejelentkezés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
-msgctxt "@title"
-msgid "Update Firmware"
-msgstr "Firmware frissítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
msgctxt "@label"
-msgid "Firmware is the piece of software running directly on your 3D printer. This firmware controls the step motors, regulates the temperature and ultimately makes your printer work."
-msgstr "A firmware egy szoftver, ami közvetlenül a nyomtatón fut. Ez vezérli a léptető motorokat, szabályozza a hőmérsékleteket, és az egész nyomtató működését."
+msgid "Post Processing Scripts"
+msgstr "Utó művelet szkript"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:46
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
+msgctxt "@action"
+msgid "Add a script"
+msgstr "Adjon hozzá egy szkriptet"
+
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
msgctxt "@label"
-msgid "The firmware shipping with new printers works, but new versions tend to have more features and improvements."
-msgstr "A firmware a nyomtató része, így a használatba vételkor már a gépen található.Azonban készülnek belőle újabb verziók, amik esetleges hibákat szüntetnek meg, illetve egyéb új funkciókat biztosíthatnak."
+msgid "Settings"
+msgstr "Beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:58
-msgctxt "@action:button"
-msgid "Automatically upgrade Firmware"
-msgstr "Automatikus firmware frissítés"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+msgctxt "@info:tooltip"
+msgid "Change active post-processing scripts."
+msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:69
-msgctxt "@action:button"
-msgid "Upload custom Firmware"
-msgstr "Egyedi firmware feltöltése"
+#: /home/clamboo/Desktop/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+msgctxt "@info:tooltip"
+msgid "The following script is active:"
+msgid_plural "The following scripts are active:"
+msgstr[0] ""
+msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
-msgctxt "@label"
-msgid "Firmware can not be updated because there is no connection with the printer."
-msgstr "A firmware feltöltés nem lehetséges, mert nincs a nyomtatóval kapcsolat."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:91
-msgctxt "@label"
-msgid "Firmware can not be updated because the connection with the printer does not support upgrading firmware."
-msgstr "A firmware feltöltés nem lehetséges, mert ugyan a nyomtató kapcsolódik, de az nem támogatja a firmware frissítést."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
-msgctxt "@title:window"
-msgid "Select custom firmware"
-msgstr "Egyedi firmware kiválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:119
-msgctxt "@title:window"
-msgid "Firmware Update"
-msgstr "Firmware frissítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:143
-msgctxt "@label"
-msgid "Updating firmware."
-msgstr "A firmware frissítése."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:145
-msgctxt "@label"
-msgid "Firmware update completed."
-msgstr "Firmware frissítés kész."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:147
-msgctxt "@label"
-msgid "Firmware update failed due to an unknown error."
-msgstr "A firmware frissítés meghiúsult ismeretlen hiba miatt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:149
-msgctxt "@label"
-msgid "Firmware update failed due to an communication error."
-msgstr "A firmware frissítés meghiúsult kommunikációs hiba miatt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:151
-msgctxt "@label"
-msgid "Firmware update failed due to an input/output error."
-msgstr "A firmware frissítés meghiúsult input/output hiba miatt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:153
-msgctxt "@label"
-msgid "Firmware update failed due to missing firmware."
-msgstr "A firmware frissítés meghiúsult, mert nem található a firmware."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:19
msgctxt "@title:window"
msgid "Convert Image..."
msgstr "Kép konvertálás..."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:33
msgctxt "@info:tooltip"
msgid "The maximum distance of each pixel from \"Base.\""
msgstr "Az egyes pixelek legnagyobb távolsága \"Base.\""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:38
msgctxt "@action:label"
msgid "Height (mm)"
msgstr "Magasság (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:56
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:56
msgctxt "@info:tooltip"
msgid "The base height from the build plate in millimeters."
msgstr "Az alap magassága a tárgyasztaltól mm -ben."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:61
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:61
msgctxt "@action:label"
msgid "Base (mm)"
msgstr "Alap (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:79
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:79
msgctxt "@info:tooltip"
msgid "The width in millimeters on the build plate."
msgstr "A szélesség mm -ben a tárgyasztalon."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:84
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:84
msgctxt "@action:label"
msgid "Width (mm)"
msgstr "Szélesség (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:103
msgctxt "@info:tooltip"
msgid "The depth in millimeters on the build plate"
msgstr "A mélység mm-ben a tárgyasztalon"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:108
msgctxt "@action:label"
msgid "Depth (mm)"
msgstr "Mélység (mm)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:126
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:126
msgctxt "@info:tooltip"
msgid "For lithophanes dark pixels should correspond to thicker locations in order to block more light coming through. For height maps lighter pixels signify higher terrain, so lighter pixels should correspond to thicker locations in the generated 3D model."
msgstr "A litofánok esetében a sötét képpontoknak a vastagabb helyek felelnek meg.Ez azért van így, mert minél vastagabb a hely, annál kevesebb fényt enged át.A magassági térképeknél a világosabb képpontok magasabb szintnek felelnek meg, tehát a generált 3D modellnél ezeket figyelembe kell venni.Ez azt is jelenti, hogy általában a generált modell a tényleges kép negatívja kell, hogy legyen."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Darker is higher"
msgstr "A sötétebb a magasabb"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:139
msgctxt "@item:inlistbox"
msgid "Lighter is higher"
msgstr "A világosabb a magasabb"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:149
msgctxt "@info:tooltip"
msgid "For lithophanes a simple logarithmic model for translucency is available. For height maps the pixel values correspond to heights linearly."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
msgctxt "@item:inlistbox"
msgid "Linear"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:161
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:161
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:172
msgctxt "@item:inlistbox"
msgid "Translucency"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:171
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:171
msgctxt "@info:tooltip"
msgid "The percentage of light penetrating a print with a thickness of 1 millimeter. Lowering this value increases the contrast in dark regions and decreases the contrast in light regions of the image."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:177
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:177
msgctxt "@action:label"
msgid "1mm Transmittance (%)"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:195
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:195
msgctxt "@info:tooltip"
msgid "The amount of smoothing to apply to the image."
msgstr "A kép simításának mértéke."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:200
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:200
msgctxt "@action:label"
msgid "Smoothing"
msgstr "Simítás"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/ImageReader/ConfigUI.qml:227
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
+#: /home/clamboo/Desktop/Cura/plugins/ImageReader/ConfigUI.qml:227
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:139
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:361
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:42
-msgctxt "@title:tab"
-msgid "Printer"
-msgstr "Nyomtató"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:63
-msgctxt "@title:label"
-msgid "Nozzle Settings"
-msgstr "Fűvóka beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:75
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
msgctxt "@label"
-msgid "Nozzle size"
-msgstr "Fúvóka méret"
+msgid "Please select any upgrades made to this Ultimaker Original"
+msgstr "Kérjük, válassza ki az Ultimaker Original eredeti frissítéseit"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:79
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:93
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:109
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:124
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:74
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:89
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:104
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:245
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:265
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:283
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
msgctxt "@label"
-msgid "mm"
-msgstr "mm"
+msgid "Heated Build Plate (official kit or self-built)"
+msgstr "Fűthető tárgyasztal (eredeti vagy utólag épített)"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:89
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
+msgctxt "@title"
+msgid "Build Plate Leveling"
+msgstr "Tálca szintezés"
+
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
msgctxt "@label"
-msgid "Compatible material diameter"
-msgstr "Nyomtatószál átmérő"
+msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
+msgstr "Azért, hogy nyomtattandó testek megfelelően letapadjanak, lehetőség van beállítani a nyomtatótálcát. Ha rákattint a 'Mozgás a következő pozícióba' gombra, a fej átmozgatható a különböző beállítási helyzetekbe."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:105
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
msgctxt "@label"
-msgid "Nozzle offset X"
-msgstr "Fúvóka X eltolás"
+msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
+msgstr "Minden helyzetben helyezzen be egy darab papírt (A4) a fúvóka alá, és állítsa be a fej magasságát.A nyomtató tálca magassága akkor megfelelő, ha a papírt kissé megfogja a fúvóka vége."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:120
-msgctxt "@label"
-msgid "Nozzle offset Y"
-msgstr "Fúvóka Y eltolás"
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
+msgctxt "@action:button"
+msgid "Start Build Plate Leveling"
+msgstr "Tálca szintezés indítása"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:135
-msgctxt "@label"
-msgid "Cooling Fan Number"
-msgstr "Hűtőventilátorok száma"
+#: /home/clamboo/Desktop/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
+msgctxt "@action:button"
+msgid "Move to Next Position"
+msgstr "Mozgás a következő pozícióba"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:163
-msgctxt "@title:label"
-msgid "Extruder Start G-code"
-msgstr "Extruder G-kód kezdés"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
+msgctxt "@title:window"
+msgid "More information on anonymous data collection"
+msgstr "További információ a névtelen adatgyűjtésről"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsExtruderTab.qml:177
-msgctxt "@title:label"
-msgid "Extruder End G-code"
-msgstr "Extruder G-kód zárás"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
+msgctxt "@text:window"
+msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
+msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javítása érdekében. Az alábbiakban található egy példa az összes megosztott adatra:"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:56
-msgctxt "@title:label"
-msgid "Printer Settings"
-msgstr "Nyomtató beállítás"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
+msgctxt "@text:window"
+msgid "I don't want to send anonymous data"
+msgstr "Nem szeretnék részt venni az adatgyűjtésben"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:70
-msgctxt "@label"
-msgid "X (Width)"
-msgstr "X (Szélesség)"
+#: /home/clamboo/Desktop/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
+msgctxt "@text:window"
+msgid "Allow sending anonymous data"
+msgstr "Anonim adatok küldésének engedélyezése"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:85
-msgctxt "@label"
-msgid "Y (Depth)"
-msgstr "Y (Mélység)"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
+msgctxt "@title"
+msgid "Marketplace"
+msgstr "Áruház"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:100
-msgctxt "@label"
-msgid "Z (Height)"
-msgstr "Z (Magasság)"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
+msgctxt "@info"
+msgid "You will need to restart Cura before changes in packages have effect."
+msgstr "A csomagok változásainak érvénybe lépése előtt újra kell indítania a Cura-t."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:114
-msgctxt "@label"
-msgid "Build plate shape"
-msgstr "Tárgyasztal alakja"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:127
-msgctxt "@label"
-msgid "Origin at center"
-msgstr "Origó középen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:139
-msgctxt "@label"
-msgid "Heated bed"
-msgstr "Fűtött asztal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:151
-msgctxt "@label"
-msgid "Heated build volume"
-msgstr "Fűtött nyomtatási tér"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:163
-msgctxt "@label"
-msgid "G-code flavor"
-msgstr "G-kód illesztés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:187
-msgctxt "@title:label"
-msgid "Printhead Settings"
-msgstr "Nyomtatófej beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:201
-msgctxt "@label"
-msgid "X min"
-msgstr "X min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:221
-msgctxt "@label"
-msgid "Y min"
-msgstr "Y min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:241
-msgctxt "@label"
-msgid "X max"
-msgstr "X max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:261
-msgctxt "@label"
-msgid "Y max"
-msgstr "Y max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:279
-msgctxt "@label"
-msgid "Gantry Height"
-msgstr "Szán magasság"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:293
-msgctxt "@label"
-msgid "Number of Extruders"
-msgstr "Extruderek száma"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:345
-msgctxt "@label"
-msgid "Apply Extruder offsets to GCode"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
+msgctxt "@info:button, %1 is the application name"
+msgid "Quit %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:393
-msgctxt "@title:label"
-msgid "Start G-code"
-msgstr "G-kód kezdés"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
+msgctxt "@action:button"
+msgid "Install"
+msgstr "Telepítés"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsPrinterTab.qml:404
-msgctxt "@title:label"
-msgid "End G-code"
-msgstr "G-kód zárás"
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
+msgctxt "@action:button"
+msgid "Installed"
+msgstr "Telepítve"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:100
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
+msgctxt "@label"
+msgid "Premium"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+msgctxt "@info:tooltip"
+msgid "Go to Web Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+msgctxt "@label"
+msgid "Search materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
+msgctxt "@label"
+msgid "Compatibility"
+msgstr "Kompatibilitás"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
+msgctxt "@label:table_header"
+msgid "Machine"
+msgstr "Gép"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
+msgctxt "@label:table_header"
+msgid "Build Plate"
+msgstr "Tárgyasztal"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
+msgctxt "@label:table_header"
+msgid "Support"
+msgstr "Támasz"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
+msgctxt "@label:table_header"
+msgid "Quality"
+msgstr "Minőség"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
+msgctxt "@action:label"
+msgid "Technical Data Sheet"
+msgstr "Technikai adatlap"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
+msgctxt "@action:label"
+msgid "Safety Data Sheet"
+msgstr "Biztonsági adatlap"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
+msgctxt "@action:label"
+msgid "Printing Guidelines"
+msgstr "Nyomtatási útmutató"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
+msgctxt "@action:label"
+msgid "Website"
+msgstr "Weboldal"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to install or update"
+msgstr "Bejelentkezés szükséges a telepítéshez vagy frissítéshez"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Buy material spools"
+msgstr "Anyagtekercsek vásárlása"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
+msgctxt "@action:button"
+msgid "Update"
+msgstr "Frissítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
+msgctxt "@action:button"
+msgid "Updating"
+msgstr "Frissítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
+msgctxt "@action:button"
+msgid "Updated"
+msgstr "Frissítve"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
+msgctxt "@action:button"
+msgid "Back"
+msgstr "Vissza"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
+msgctxt "@title:tab"
+msgid "Plugins"
+msgstr "Kiegészítők"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:475
+msgctxt "@title:tab"
+msgid "Materials"
+msgstr "Alapanyagok"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
+msgctxt "@title:tab"
+msgid "Installed"
+msgstr "Telepítve"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
+msgctxt "@label"
+msgid "Will install upon restarting"
+msgstr "Telepítés után újraindul"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
+msgctxt "@label:The string between and is the highlighted link"
+msgid "Log in is required to update"
+msgstr "Bejelentkezés szükséges a frissítéshez"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Downgrade"
+msgstr "Leminősítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+msgctxt "@action:button"
+msgid "Uninstall"
+msgstr "Eltávolítás"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
+msgctxt "@label"
+msgid "Community Contributions"
+msgstr "Közösségi hozzájárulások"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
+msgctxt "@label"
+msgid "Community Plugins"
+msgstr "Közösségi bővítmények"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
+msgctxt "@label"
+msgid "Generic Materials"
+msgstr "Általános anyagok"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
+msgctxt "@info"
+msgid "Fetching packages..."
+msgstr "Csomagok beolvasása..."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
+msgctxt "@label"
+msgid "Website"
+msgstr "Weboldal"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
+msgctxt "@label"
+msgid "Email"
+msgstr "Email"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
+msgctxt "@description"
+msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
+msgctxt "@label"
+msgid "Version"
+msgstr "Verzió"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
+msgctxt "@label"
+msgid "Last updated"
+msgstr "Utosó frissítés"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
+msgctxt "@label"
+msgid "Brand"
+msgstr "Márka"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
+msgctxt "@label"
+msgid "Downloads"
+msgstr "Letöltések"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
+msgctxt "@title:tab"
+msgid "Installed plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
+msgctxt "@info"
+msgid "No plugin has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
+msgctxt "@title:tab"
+msgid "Installed materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
+msgctxt "@info"
+msgid "No material has been installed."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
+msgctxt "@title:tab"
+msgid "Bundled plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
+msgctxt "@title:tab"
+msgid "Bundled materials"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
+msgctxt "@info"
+msgid "Could not connect to the Cura Package database. Please check your connection."
+msgstr "Nem sikerült csatlakozni a Cura Package adatbázishoz. Kérjük, ellenőrizze a kapcsolatot."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
+msgctxt "@label"
+msgid "You need to accept the license to install the package"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
+msgctxt "@title"
+msgid "Changes from your account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+msgctxt "@button"
+msgid "Dismiss"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
+msgctxt "@button"
+msgid "Next"
+msgstr "Következő"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
+msgctxt "@label"
+msgid "The following packages will be added:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
+msgctxt "@label"
+msgid "The following packages can not be installed because of an incompatible Cura version:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
+msgctxt "@title:window"
+msgid "Confirm uninstall"
+msgstr "Eltávolítás jóváhagyása"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
+msgctxt "@text:window"
+msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
+msgstr "Távolítsd el a még használatban lévő anyagokat és / vagy profilokat.A megerősítés visszaállítja az alapanyagokat / profilokat alapértelmezett értékükre."
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
+msgctxt "@text:window"
+msgid "Materials"
+msgstr "Alapanyagok"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
+msgctxt "@text:window"
+msgid "Profiles"
+msgstr "Profilok"
+
+#: /home/clamboo/Desktop/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
+msgctxt "@action:button"
+msgid "Confirm"
+msgstr "Jóváhagy"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
+msgctxt "@label"
+msgid "Color scheme"
+msgstr "Szín séma"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
+msgctxt "@label:listbox"
+msgid "Material Color"
+msgstr "Alapanyag szín"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
+msgctxt "@label:listbox"
+msgid "Line Type"
+msgstr "Vonal típus"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
+msgctxt "@label:listbox"
+msgid "Speed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
+msgctxt "@label:listbox"
+msgid "Layer Thickness"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
+msgctxt "@label:listbox"
+msgid "Line Width"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
+msgctxt "@label:listbox"
+msgid "Flow"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
+msgctxt "@label"
+msgid "Compatibility Mode"
+msgstr "Kompatibilis mód"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
+msgctxt "@label"
+msgid "Travels"
+msgstr "Átmozgás"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
+msgctxt "@label"
+msgid "Helpers"
+msgstr "Segítők"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
+msgctxt "@label"
+msgid "Shell"
+msgstr "Héj"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
+msgctxt "@label"
+msgid "Infill"
+msgstr "Kitöltés"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
+msgctxt "@label"
+msgid "Starts"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
+msgctxt "@label"
+msgid "Only Show Top Layers"
+msgstr "Csak a felső rétegek megjelenítése"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
+msgctxt "@label"
+msgid "Show 5 Detailed Layers On Top"
+msgstr "Mutasson 5 felső réteget részletesen"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
+msgctxt "@label"
+msgid "Top / Bottom"
+msgstr "Felső / Alsó"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
+msgctxt "@label"
+msgid "Inner Wall"
+msgstr "Belső fal"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
+msgctxt "@label"
+msgid "min"
+msgstr "min"
+
+#: /home/clamboo/Desktop/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
+msgctxt "@label"
+msgid "max"
+msgstr "max"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
+msgctxt "@label link to Connect and Cloud interfaces"
+msgid "Manage printer"
+msgstr "Nyomtató kezelés"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
+msgctxt "@label"
+msgid "Glass"
+msgstr "Üveg"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
+msgctxt "@info"
+msgid "Please update your printer's firmware to manage the queue remotely."
+msgstr "A távoli nyomtatásisor kezeléshez kérjük frissítse a firmware-t."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
+msgctxt "@info"
+msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
+msgctxt "@label:status"
+msgid "Loading..."
+msgstr "Betöltés..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
+msgctxt "@label:status"
+msgid "Unavailable"
+msgstr "Elérhetetlen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
+msgctxt "@label:status"
+msgid "Unreachable"
+msgstr "Elérhetetlen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
+msgctxt "@label:status"
+msgid "Idle"
+msgstr "Készenlét"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
+msgctxt "@label:status"
+msgid "Preparing..."
+msgstr "Előkészítés..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
+msgctxt "@label:status"
+msgid "Printing"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
+msgctxt "@label"
+msgid "Untitled"
+msgstr "Felirat nélküli"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
+msgctxt "@label"
+msgid "Anonymous"
+msgstr "Névtelen"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
+msgctxt "@label:status"
+msgid "Requires configuration changes"
+msgstr "A konfiguráció változtatásokat igényel"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
+msgctxt "@action:button"
+msgid "Details"
+msgstr "Részletek"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
+msgctxt "@label"
+msgid "Unavailable printer"
+msgstr "Elérhetetlen nyomtató"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
+msgctxt "@label"
+msgid "First available"
+msgstr "Az első elérhető"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
+msgctxt "@label"
+msgid "Queued"
+msgstr "Nyomtatási Sor"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
+msgctxt "@label link to connect manager"
+msgid "Manage in browser"
+msgstr "Kezelés a böngészőben"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
+msgctxt "@label"
+msgid "There are no print jobs in the queue. Slice and send a job to add one."
+msgstr "Nincs a sorban nyomtatási feladat. Szeletelj és adj hozzá egy feladatot."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
+msgctxt "@label"
+msgid "Print jobs"
+msgstr "Nyomtatások"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
+msgctxt "@label"
+msgid "Total print time"
+msgstr "Teljes nyomtatási idő"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
+msgctxt "@label"
+msgid "Waiting for"
+msgstr "Várakozom"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
+msgctxt "@title:window"
+msgid "Print over network"
+msgstr "Nyomtatás hálózaton"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
+msgctxt "@action:button"
+msgid "Print"
+msgstr "Nyomtatás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
+msgctxt "@label"
+msgid "Printer selection"
+msgstr "Nyomtató kiválasztás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
+msgctxt "@title:window"
+msgid "Configuration Changes"
+msgstr "Konfiguráció változások"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
+msgctxt "@action:button"
+msgid "Override"
+msgstr "Felülírás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
+msgctxt "@label"
+msgid "The assigned printer, %1, requires the following configuration change:"
+msgid_plural "The assigned printer, %1, requires the following configuration changes:"
+msgstr[0] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatás szükséges:"
+msgstr[1] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatások szükségesek:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
+msgctxt "@label"
+msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
+msgstr "A %1 nyomtató hozzá van rendelve a feladathoz, azonban az ismeretlen anyagot tartalmaz."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
+msgctxt "@label"
+msgid "Change material %1 from %2 to %3."
+msgstr "Változtasd meg az %1 anyagot %2 -ről %3 -ra."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
+msgctxt "@label"
+msgid "Load %3 as material %1 (This cannot be overridden)."
+msgstr "Töltsd be %3 -at %1 anyagként. (Ez nem felülbírálható)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
+msgctxt "@label"
+msgid "Change print core %1 from %2 to %3."
+msgstr "Cseréld a nyomtató magot %1 -ről %2 -re, %3 -hoz."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
+msgctxt "@label"
+msgid "Change build plate to %1 (This cannot be overridden)."
+msgstr "Változtasd meg a tálcát %1 -re (Ez nem felülbírálható)."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
+msgctxt "@label"
+msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
+msgstr "A felülbírálás a megadott beállításokat fogja használni a meglévő nyomtató konfigurációval, azonban ez eredménytelen nyomtatáshoz vezethet."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
+msgctxt "@label"
+msgid "Aluminum"
+msgstr "Alumínium"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:76
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
+msgctxt "@label:status"
+msgid "Finished"
+msgstr "Befejezve"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
+msgctxt "@label:status"
+msgid "Aborting..."
+msgstr "Megszakítás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
+msgctxt "@label:status"
+msgid "Aborted"
+msgstr "Megszakítva"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
+msgctxt "@label:status"
+msgid "Failed"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:102
+msgctxt "@label:status"
+msgid "Pausing..."
+msgstr "Várakozás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:104
+msgctxt "@label:status"
+msgid "Paused"
+msgstr "Várakozás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:106
+msgctxt "@label:status"
+msgid "Resuming..."
+msgstr "Folytatás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:108
+msgctxt "@label:status"
+msgid "Action required"
+msgstr "Beavatkozás szükséges"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:110
+msgctxt "@label:status"
+msgid "Finishes %1 at %2"
+msgstr "Befejezve %1 a %2 -ből"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+msgctxt "@title:window"
+msgid "Connect to Networked Printer"
+msgstr "Csatlakozás hálózati nyomtatóhoz"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
+msgstr "Ha hálózaton keresztül szeretnél közvetlenül nyomtatni, akkor győződj meg arról, hogy a nyomtató csatlakozik vezetékes, vagy vezeték nélküli hálózathoz. Ha nincs elérhető hálózat, akkor közvetlenül USB kapcsolaton keresztül is tudsz nyomtatni."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
+msgctxt "@label"
+msgid "Select your printer from the list below:"
+msgstr "Válaszd ki a nyomtatódat az alábbi listából:"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
+msgctxt "@action:button"
+msgid "Edit"
+msgstr "Szerkeszt"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:55
+msgctxt "@action:button"
+msgid "Remove"
+msgstr "Eltávolít"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
+msgctxt "@action:button"
+msgid "Refresh"
+msgstr "Frissít"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
+msgctxt "@label"
+msgid "If your printer is not listed, read the network printing troubleshooting guide"
+msgstr "Ha a nyomtatód nincs a listában, olvasd el a hálózati nyomtatás hibaelhárítási útmutatót"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
+msgctxt "@label"
+msgid "Type"
+msgstr "Típus"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
+msgctxt "@label"
+msgid "Firmware version"
+msgstr "Frimware verzió"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
+msgctxt "@label"
+msgid "Address"
+msgstr "Cím"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
+msgctxt "@label"
+msgid "This printer is not set up to host a group of printers."
+msgstr "Ez a nyomtató nem úgy van beállítva, hogy nyomtatócsoportot üzemeltessen."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
+msgctxt "@label"
+msgid "This printer is the host for a group of %1 printers."
+msgstr "Ez a nyomtató gazdagépe a %1 nyomtatócsoportnak."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
+msgctxt "@label"
+msgid "The printer at this address has not yet responded."
+msgstr "A címen található nyomtató még nem válaszolt."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
+msgctxt "@action:button"
+msgid "Connect"
+msgstr "Csatlakozás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
+msgctxt "@title:window"
+msgid "Invalid IP address"
+msgstr "Hibás IP cím"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
+msgctxt "@text"
+msgid "Please enter a valid IP address."
+msgstr "Kérlek adj meg egy érvényes IP címet."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
+msgctxt "@title:window"
+msgid "Printer Address"
+msgstr "Nyomtató cím"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
+msgctxt "@label"
+msgid "Enter the IP address of your printer on the network."
+msgstr "Írd be a nyomtató hálózati IP címét."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
+msgctxt "@label"
+msgid "Move to top"
+msgstr "Lépj a tetjére"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
+msgctxt "@label"
+msgid "Delete"
+msgstr "Törlés"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:290
+msgctxt "@label"
+msgid "Resume"
+msgstr "Folytat"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
+msgctxt "@label"
+msgid "Pausing..."
+msgstr "Várakozás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
+msgctxt "@label"
+msgid "Resuming..."
+msgstr "Folytatás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:285
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:294
+msgctxt "@label"
+msgid "Pause"
+msgstr "Várakozás"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Aborting..."
+msgstr "Megszakítás..."
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
+msgctxt "@label"
+msgid "Abort"
+msgstr "Megszakít"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to move %1 to the top of the queue?"
+msgstr "Biztos, hogy a %1 a nyomtatási sor elejére akarod mozgatni?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
+msgctxt "@window:title"
+msgid "Move print job to top"
+msgstr "Tedd a nyomtatási sor elejére"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to delete %1?"
+msgstr "Biztos, hogy törölni szeretnéd %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
+msgctxt "@window:title"
+msgid "Delete print job"
+msgstr "Nyomtatási feladat törlés"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
+msgctxt "@label %1 is the name of a print job."
+msgid "Are you sure you want to abort %1?"
+msgstr "Biztosan meg akarod szakítani %1?"
+
+#: /home/clamboo/Desktop/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/MonitorButton.qml:336
+msgctxt "@window:title"
+msgid "Abort print"
+msgstr "Nyomtatás megszakítás"
+
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:100
msgctxt "@info"
msgid ""
"Please make sure your printer has a connection:\n"
@@ -2311,1668 +3315,637 @@ msgstr ""
"- Ellenőrizd, hogy a nyomtató csatlakozik a hálózathoz\n"
"- Ellenőrizd, hogy fel vagy-e jelentkezve a felhőbe."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:117
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:117
msgctxt "@info"
msgid "Please connect your printer to the network."
msgstr "Csatlakoztasd a nyomtatót a hálózathoz."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:155
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:155
msgctxt "@label link to technical assistance"
msgid "View user manuals online"
msgstr "Nézd meg az online felhasználói kézikönyvet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/MonitorStage/MonitorMain.qml:172
+#: /home/clamboo/Desktop/Cura/plugins/MonitorStage/MonitorMain.qml:172
msgctxt "@info"
msgid "In order to monitor your print from Cura, please connect the printer."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:42
-msgctxt "@label"
-msgid "Mesh Type"
-msgstr "Háló típus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:82
-msgctxt "@label"
-msgid "Normal model"
-msgstr "Normál mód"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:94
-msgctxt "@label"
-msgid "Print as support"
-msgstr "Támaszként nyomtassa"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:106
-msgctxt "@label"
-msgid "Modify settings for overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:118
-msgctxt "@label"
-msgid "Don't support overlaps"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:151
-msgctxt "@item:inlistbox"
-msgid "Infill mesh only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:152
-msgctxt "@item:inlistbox"
-msgid "Cutting mesh"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/PerObjectSettingsPanel.qml:382
-msgctxt "@action:button"
-msgid "Select settings"
-msgstr "Beállítások kiválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:13
-msgctxt "@title:window"
-msgid "Select Settings to Customize for this model"
-msgstr "A modellek egyéni beállításainak kiválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:96
-msgctxt "@label:textbox"
-msgid "Filter..."
-msgstr "Szűrés..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PerObjectSettingsTool/SettingPickDialog.qml:68
-msgctxt "@label:checkbox"
-msgid "Show all"
-msgstr "Mindent mutat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:20
-msgctxt "@title:window"
-msgid "Post Processing Plugin"
-msgstr "Utó művelet beépülő"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:59
-msgctxt "@label"
-msgid "Post Processing Scripts"
-msgstr "Utó művelet szkript"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:235
-msgctxt "@action"
-msgid "Add a script"
-msgstr "Adjon hozzá egy szkriptet"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:282
-msgctxt "@label"
-msgid "Settings"
-msgstr "Beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:502
+#: /home/clamboo/Desktop/Cura/plugins/ModelChecker/ModelChecker.qml:22
msgctxt "@info:tooltip"
-msgid "Change active post-processing scripts."
-msgstr ""
+msgid "Some things could be problematic in this print. Click to see tips for adjustment."
+msgstr "Néhány dolog problémát jelenthet ebben a nyomtatásban.Kattintson ide a beállítási tippek megtekintéséhez."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/PostProcessingPlugin/PostProcessingPlugin.qml:506
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:27
msgctxt "@info:tooltip"
-msgid "The following script is active:"
-msgid_plural "The following scripts are active:"
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:49
-msgctxt "@label"
-msgid "Color scheme"
-msgstr "Szín séma"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:110
-msgctxt "@label:listbox"
-msgid "Material Color"
-msgstr "Alapanyag szín"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:114
-msgctxt "@label:listbox"
-msgid "Line Type"
-msgstr "Vonal típus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:118
-msgctxt "@label:listbox"
-msgid "Speed"
+msgid "3D View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:122
-msgctxt "@label:listbox"
-msgid "Layer Thickness"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:126
-msgctxt "@label:listbox"
-msgid "Line Width"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:130
-msgctxt "@label:listbox"
-msgid "Flow"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:171
-msgctxt "@label"
-msgid "Compatibility Mode"
-msgstr "Kompatibilis mód"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:245
-msgctxt "@label"
-msgid "Travels"
-msgstr "Átmozgás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:251
-msgctxt "@label"
-msgid "Helpers"
-msgstr "Segítők"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:257
-msgctxt "@label"
-msgid "Shell"
-msgstr "Héj"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:263
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:65
-msgctxt "@label"
-msgid "Infill"
-msgstr "Kitöltés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:271
-msgctxt "@label"
-msgid "Starts"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:322
-msgctxt "@label"
-msgid "Only Show Top Layers"
-msgstr "Csak a felső rétegek megjelenítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:332
-msgctxt "@label"
-msgid "Show 5 Detailed Layers On Top"
-msgstr "Mutasson 5 felső réteget részletesen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:346
-msgctxt "@label"
-msgid "Top / Bottom"
-msgstr "Felső / Alsó"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:350
-msgctxt "@label"
-msgid "Inner Wall"
-msgstr "Belső fal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:419
-msgctxt "@label"
-msgid "min"
-msgstr "min"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SimulationView/SimulationViewMenuComponent.qml:488
-msgctxt "@label"
-msgid "max"
-msgstr "max"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:17
-msgctxt "@title:window"
-msgid "More information on anonymous data collection"
-msgstr "További információ a névtelen adatgyűjtésről"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:74
-msgctxt "@text:window"
-msgid "Ultimaker Cura collects anonymous data in order to improve the print quality and user experience. Below is an example of all the data that is shared:"
-msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javítása érdekében. Az alábbiakban található egy példa az összes megosztott adatra:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:110
-msgctxt "@text:window"
-msgid "I don't want to send anonymous data"
-msgstr "Nem szeretnék részt venni az adatgyűjtésben"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:119
-msgctxt "@text:window"
-msgid "Allow sending anonymous data"
-msgstr "Anonim adatok küldésének engedélyezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxBackColumn.qml:25
-msgctxt "@action:button"
-msgid "Back"
-msgstr "Vissza"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:34
-msgctxt "@label"
-msgid "Compatibility"
-msgstr "Kompatibilitás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:124
-msgctxt "@label:table_header"
-msgid "Machine"
-msgstr "Gép"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:137
-msgctxt "@label:table_header"
-msgid "Build Plate"
-msgstr "Tárgyasztal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:143
-msgctxt "@label:table_header"
-msgid "Support"
-msgstr "Támasz"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:149
-msgctxt "@label:table_header"
-msgid "Quality"
-msgstr "Minőség"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:170
-msgctxt "@action:label"
-msgid "Technical Data Sheet"
-msgstr "Technikai adatlap"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:179
-msgctxt "@action:label"
-msgid "Safety Data Sheet"
-msgstr "Biztonsági adatlap"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:188
-msgctxt "@action:label"
-msgid "Printing Guidelines"
-msgstr "Nyomtatási útmutató"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxCompatibilityChart.qml:197
-msgctxt "@action:label"
-msgid "Website"
-msgstr "Weboldal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:46
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:20
-msgctxt "@action:button"
-msgid "Installed"
-msgstr "Telepítve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:56
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to install or update"
-msgstr "Bejelentkezés szükséges a telepítéshez vagy frissítéshez"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:80
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Buy material spools"
-msgstr "Anyagtekercsek vásárlása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:96
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:34
-msgctxt "@action:button"
-msgid "Update"
-msgstr "Frissítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:97
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:35
-msgctxt "@action:button"
-msgid "Updating"
-msgstr "Frissítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDetailTileActions.qml:98
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:36
-msgctxt "@action:button"
-msgid "Updated"
-msgstr "Frissítve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:27
-msgctxt "@label"
-msgid "Premium"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:39
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:86
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:40
msgctxt "@info:tooltip"
-msgid "Go to Web Marketplace"
+msgid "Front View"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxDownloadsShowcase.qml:42
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:53
+msgctxt "@info:tooltip"
+msgid "Top View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:66
+msgctxt "@info:tooltip"
+msgid "Left View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewOrientationControls.qml:79
+msgctxt "@info:tooltip"
+msgid "Right View"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectSelector.qml:59
msgctxt "@label"
-msgid "Search materials"
-msgstr ""
+msgid "Object list"
+msgstr "Objektum lista"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:19
-msgctxt "@info"
-msgid "You will need to restart Cura before changes in packages have effect."
-msgstr "A csomagok változásainak érvénybe lépése előtt újra kell indítania a Cura-t."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxFooter.qml:46
-msgctxt "@info:button, %1 is the application name"
-msgid "Quit %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:30
-msgctxt "@title:tab"
-msgid "Plugins"
-msgstr "Kiegészítők"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:44
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:475
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:89
-msgctxt "@title:tab"
-msgid "Materials"
-msgstr "Alapanyagok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxHeader.qml:58
-msgctxt "@title:tab"
-msgid "Installed"
-msgstr "Telepítve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:22
-msgctxt "@label"
-msgid "Will install upon restarting"
-msgstr "Telepítés után újraindul"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:53
-msgctxt "@label:The string between and is the highlighted link"
-msgid "Log in is required to update"
-msgstr "Bejelentkezés szükséges a frissítéshez"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
msgctxt "@action:button"
-msgid "Downgrade"
-msgstr "Leminősítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxInstalledTileActions.qml:71
-msgctxt "@action:button"
-msgid "Uninstall"
-msgstr "Eltávolítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/components/ToolboxProgressButton.qml:18
-msgctxt "@action:button"
-msgid "Install"
-msgstr "Telepítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:14
-msgctxt "@title"
-msgid "Changes from your account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-msgctxt "@button"
-msgid "Dismiss"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:23
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:123
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/FirstStartMachineActionsContent.qml:77
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:186
-msgctxt "@button"
-msgid "Next"
-msgstr "Következő"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:52
-msgctxt "@label"
-msgid "The following packages will be added:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/CompatibilityDialog.qml:97
-msgctxt "@label"
-msgid "The following packages can not be installed because of an incompatible Cura version:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:20
-msgctxt "@title:window"
-msgid "Confirm uninstall"
-msgstr "Eltávolítás jóváhagyása"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:50
-msgctxt "@text:window"
-msgid "You are uninstalling materials and/or profiles that are still in use. Confirming will reset the following materials/profiles to their defaults."
-msgstr "Távolítsd el a még használatban lévő anyagokat és / vagy profilokat.A megerősítés visszaállítja az alapanyagokat / profilokat alapértelmezett értékükre."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:51
-msgctxt "@text:window"
-msgid "Materials"
-msgstr "Alapanyagok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:52
-msgctxt "@text:window"
-msgid "Profiles"
-msgstr "Profilok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxConfirmUninstallResetDialog.qml:90
-msgctxt "@action:button"
-msgid "Confirm"
-msgstr "Jóváhagy"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/dialogs/ToolboxLicenseDialog.qml:36
-msgctxt "@label"
-msgid "You need to accept the license to install the package"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:95
-msgctxt "@label"
-msgid "Website"
-msgstr "Weboldal"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxAuthorPage.qml:102
-msgctxt "@label"
-msgid "Email"
-msgstr "Email"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:89
-msgctxt "@label"
-msgid "Version"
-msgstr "Verzió"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:96
-msgctxt "@label"
-msgid "Last updated"
-msgstr "Utosó frissítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:103
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:138
-msgctxt "@label"
-msgid "Brand"
-msgstr "Márka"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDetailPage.qml:110
-msgctxt "@label"
-msgid "Downloads"
-msgstr "Letöltések"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Contributions"
-msgstr "Közösségi hozzájárulások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:33
-msgctxt "@label"
-msgid "Community Plugins"
-msgstr "Közösségi bővítmények"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxDownloadsPage.qml:42
-msgctxt "@label"
-msgid "Generic Materials"
-msgstr "Általános anyagok"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxErrorPage.qml:16
-msgctxt "@info"
-msgid "Could not connect to the Cura Package database. Please check your connection."
-msgstr "Nem sikerült csatlakozni a Cura Package adatbázishoz. Kérjük, ellenőrizze a kapcsolatot."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:33
-msgctxt "@title:tab"
-msgid "Installed plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:72
-msgctxt "@info"
-msgid "No plugin has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:87
-msgctxt "@title:tab"
-msgid "Installed materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:126
-msgctxt "@info"
-msgid "No material has been installed."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:141
-msgctxt "@title:tab"
-msgid "Bundled plugins"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxInstalledPage.qml:186
-msgctxt "@title:tab"
-msgid "Bundled materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/ToolboxLoadingPage.qml:17
-msgctxt "@info"
-msgid "Fetching packages..."
-msgstr "Csomagok beolvasása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/pages/WelcomePage.qml:22
-msgctxt "@description"
-msgid "Please sign in to get verified plugins and materials for Ultimaker Cura Enterprise"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/Toolbox/resources/qml/Toolbox.qml:19
-msgctxt "@title"
msgid "Marketplace"
-msgstr "Áruház"
+msgstr "Piactér"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:30
-msgctxt "@title"
-msgid "Build Plate Leveling"
-msgstr "Tálca szintezés"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&File"
+msgstr "&Fájl"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:44
-msgctxt "@label"
-msgid "To make sure your prints will come out great, you can now adjust your buildplate. When you click 'Move to Next Position' the nozzle will move to the different positions that can be adjusted."
-msgstr "Azért, hogy nyomtattandó testek megfelelően letapadjanak, lehetőség van beállítani a nyomtatótálcát. Ha rákattint a 'Mozgás a következő pozícióba' gombra, a fej átmozgatható a különböző beállítási helyzetekbe."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Edit"
+msgstr "S&zerkesztés"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:57
-msgctxt "@label"
-msgid "For every position; insert a piece of paper under the nozzle and adjust the print build plate height. The print build plate height is right when the paper is slightly gripped by the tip of the nozzle."
-msgstr "Minden helyzetben helyezzen be egy darab papírt (A4) a fúvóka alá, és állítsa be a fej magasságát.A nyomtató tálca magassága akkor megfelelő, ha a papírt kissé megfogja a fúvóka vége."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:12
+msgctxt "@title:menu menubar:toplevel"
+msgid "&View"
+msgstr "&Nézet"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:75
-msgctxt "@action:button"
-msgid "Start Build Plate Leveling"
-msgstr "Tálca szintezés indítása"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:13
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Settings"
+msgstr "&Beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/BedLevelMachineAction.qml:87
-msgctxt "@action:button"
-msgid "Move to Next Position"
-msgstr "Mozgás a következő pozícióba"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
+msgctxt "@title:menu menubar:toplevel"
+msgid "E&xtensions"
+msgstr "K&iterjesztések"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:30
-msgctxt "@label"
-msgid "Please select any upgrades made to this Ultimaker Original"
-msgstr "Kérjük, válassza ki az Ultimaker Original eredeti frissítéseit"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
+msgctxt "@title:menu menubar:toplevel"
+msgid "P&references"
+msgstr "P&referenciák"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UltimakerMachineActions/UMOUpgradeSelectionMachineAction.qml:41
-msgctxt "@label"
-msgid "Heated Build Plate (official kit or self-built)"
-msgstr "Fűthető tárgyasztal (eredeti vagy utólag épített)"
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
+msgctxt "@title:menu menubar:toplevel"
+msgid "&Help"
+msgstr "&Segítség"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:45
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
msgctxt "@title:window"
-msgid "Connect to Networked Printer"
-msgstr "Csatlakozás hálózati nyomtatóhoz"
+msgid "New project"
+msgstr "Új projekt"
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "To print directly to your printer over the network, please make sure your printer is connected to the network using a network cable or by connecting your printer to your WIFI network. If you don't connect Cura with your printer, you can still use a USB drive to transfer g-code files to your printer."
-msgstr "Ha hálózaton keresztül szeretnél közvetlenül nyomtatni, akkor győződj meg arról, hogy a nyomtató csatlakozik vezetékes, vagy vezeték nélküli hálózathoz. Ha nincs elérhető hálózat, akkor közvetlenül USB kapcsolaton keresztül is tudsz nyomtatni."
+#: /home/clamboo/Desktop/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
+msgctxt "@info:question"
+msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
+msgstr "Biztos benne, hogy új projektet akar kezdeni? Ez törli az alapsíkot és az összes nem mentett beállítást."
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:57
-msgctxt "@label"
-msgid "Select your printer from the list below:"
-msgstr "Válaszd ki a nyomtatódat az alábbi listából:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:77
-msgctxt "@action:button"
-msgid "Edit"
-msgstr "Szerkeszt"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:88
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:55
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:138
-msgctxt "@action:button"
-msgid "Remove"
-msgstr "Eltávolít"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:96
-msgctxt "@action:button"
-msgid "Refresh"
-msgstr "Frissít"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:176
-msgctxt "@label"
-msgid "If your printer is not listed, read the network printing troubleshooting guide"
-msgstr "Ha a nyomtatód nincs a listában, olvasd el a hálózati nyomtatás hibaelhárítási útmutatót"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:205
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:263
-msgctxt "@label"
-msgid "Type"
-msgstr "Típus"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:225
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:279
-msgctxt "@label"
-msgid "Firmware version"
-msgstr "Frimware verzió"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:239
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:295
-msgctxt "@label"
-msgid "Address"
-msgstr "Cím"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:263
-msgctxt "@label"
-msgid "This printer is not set up to host a group of printers."
-msgstr "Ez a nyomtató nem úgy van beállítva, hogy nyomtatócsoportot üzemeltessen."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:267
-msgctxt "@label"
-msgid "This printer is the host for a group of %1 printers."
-msgstr "Ez a nyomtató gazdagépe a %1 nyomtatócsoportnak."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:278
-msgctxt "@label"
-msgid "The printer at this address has not yet responded."
-msgstr "A címen található nyomtató még nem válaszolt."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:283
-msgctxt "@action:button"
-msgid "Connect"
-msgstr "Csatlakozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:296
-msgctxt "@title:window"
-msgid "Invalid IP address"
-msgstr "Hibás IP cím"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:297
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:146
-msgctxt "@text"
-msgid "Please enter a valid IP address."
-msgstr "Kérlek adj meg egy érvényes IP címet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:308
-msgctxt "@title:window"
-msgid "Printer Address"
-msgstr "Nyomtató cím"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:331
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:102
-msgctxt "@label"
-msgid "Enter the IP address of your printer on the network."
-msgstr "Írd be a nyomtató hálózati IP címét."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:20
-msgctxt "@title:window"
-msgid "Configuration Changes"
-msgstr "Konfiguráció változások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:27
-msgctxt "@action:button"
-msgid "Override"
-msgstr "Felülírás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:85
-msgctxt "@label"
-msgid "The assigned printer, %1, requires the following configuration change:"
-msgid_plural "The assigned printer, %1, requires the following configuration changes:"
-msgstr[0] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatás szükséges:"
-msgstr[1] "A hozzárendelt nyomtatóhoz, %1, a következő konfigurációs változtatások szükségesek:"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:89
-msgctxt "@label"
-msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
-msgstr "A %1 nyomtató hozzá van rendelve a feladathoz, azonban az ismeretlen anyagot tartalmaz."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:99
-msgctxt "@label"
-msgid "Change material %1 from %2 to %3."
-msgstr "Változtasd meg az %1 anyagot %2 -ről %3 -ra."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:102
-msgctxt "@label"
-msgid "Load %3 as material %1 (This cannot be overridden)."
-msgstr "Töltsd be %3 -at %1 anyagként. (Ez nem felülbírálható)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:105
-msgctxt "@label"
-msgid "Change print core %1 from %2 to %3."
-msgstr "Cseréld a nyomtató magot %1 -ről %2 -re, %3 -hoz."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:108
-msgctxt "@label"
-msgid "Change build plate to %1 (This cannot be overridden)."
-msgstr "Változtasd meg a tálcát %1 -re (Ez nem felülbírálható)."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:115
-msgctxt "@label"
-msgid "Override will use the specified settings with the existing printer configuration. This may result in a failed print."
-msgstr "A felülbírálás a megadott beállításokat fogja használni a meglévő nyomtató konfigurációval, azonban ez eredménytelen nyomtatáshoz vezethet."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:153
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:191
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:184
-msgctxt "@label"
-msgid "Glass"
-msgstr "Üveg"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorConfigOverrideDialog.qml:156
-msgctxt "@label"
-msgid "Aluminum"
-msgstr "Alumínium"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:54
-msgctxt "@label"
-msgid "Move to top"
-msgstr "Lépj a tetjére"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:70
-msgctxt "@label"
-msgid "Delete"
-msgstr "Törlés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:100
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:290
-msgctxt "@label"
-msgid "Resume"
-msgstr "Folytat"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:102
-msgctxt "@label"
-msgid "Pausing..."
-msgstr "Várakozás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:104
-msgctxt "@label"
-msgid "Resuming..."
-msgstr "Folytatás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:106
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:285
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:294
-msgctxt "@label"
-msgid "Pause"
-msgstr "Várakozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Aborting..."
-msgstr "Megszakítás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:124
-msgctxt "@label"
-msgid "Abort"
-msgstr "Megszakít"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:143
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to move %1 to the top of the queue?"
-msgstr "Biztos, hogy a %1 a nyomtatási sor elejére akarod mozgatni?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:144
-msgctxt "@window:title"
-msgid "Move print job to top"
-msgstr "Tedd a nyomtatási sor elejére"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:153
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to delete %1?"
-msgstr "Biztos, hogy törölni szeretnéd %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:154
-msgctxt "@window:title"
-msgid "Delete print job"
-msgstr "Nyomtatási feladat törlés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:163
-msgctxt "@label %1 is the name of a print job."
-msgid "Are you sure you want to abort %1?"
-msgstr "Biztosan meg akarod szakítani %1?"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorContextMenu.qml:164
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:336
-msgctxt "@window:title"
-msgid "Abort print"
-msgstr "Nyomtatás megszakítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:154
-msgctxt "@label link to Connect and Cloud interfaces"
-msgid "Manage printer"
-msgstr "Nyomtató kezelés"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:254
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:523
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:250
-msgctxt "@info"
-msgid "Please update your printer's firmware to manage the queue remotely."
-msgstr "A távoli nyomtatásisor kezeléshez kérjük frissítse a firmware-t."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:288
-msgctxt "@info"
-msgid "Webcam feeds for cloud printers cannot be viewed from Ultimaker Cura. Click \"Manage printer\" to visit Ultimaker Digital Factory and view this webcam."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:348
-msgctxt "@label:status"
-msgid "Loading..."
-msgstr "Betöltés..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:352
-msgctxt "@label:status"
-msgid "Unavailable"
-msgstr "Elérhetetlen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:356
-msgctxt "@label:status"
-msgid "Unreachable"
-msgstr "Elérhetetlen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:360
-msgctxt "@label:status"
-msgid "Idle"
-msgstr "Készenlét"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:364
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:84
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:86
-msgctxt "@label:status"
-msgid "Preparing..."
-msgstr "Előkészítés..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:369
-msgctxt "@label:status"
-msgid "Printing"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:410
-msgctxt "@label"
-msgid "Untitled"
-msgstr "Felirat nélküli"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:431
-msgctxt "@label"
-msgid "Anonymous"
-msgstr "Névtelen"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:458
-msgctxt "@label:status"
-msgid "Requires configuration changes"
-msgstr "A konfiguráció változtatásokat igényel"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrinterCard.qml:496
-msgctxt "@action:button"
-msgid "Details"
-msgstr "Részletek"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:133
-msgctxt "@label"
-msgid "Unavailable printer"
-msgstr "Elérhetetlen nyomtató"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobCard.qml:135
-msgctxt "@label"
-msgid "First available"
-msgstr "Az első elérhető"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:78
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:90
-msgctxt "@label:status"
-msgid "Aborted"
-msgstr "Megszakítva"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:80
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:82
-msgctxt "@label:status"
-msgid "Finished"
-msgstr "Befejezve"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:88
-msgctxt "@label:status"
-msgid "Aborting..."
-msgstr "Megszakítás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:92
-msgctxt "@label:status"
-msgid "Pausing..."
-msgstr "Várakozás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:94
-msgctxt "@label:status"
-msgid "Paused"
-msgstr "Várakozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:96
-msgctxt "@label:status"
-msgid "Resuming..."
-msgstr "Folytatás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:98
-msgctxt "@label:status"
-msgid "Action required"
-msgstr "Beavatkozás szükséges"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorPrintJobProgressBar.qml:100
-msgctxt "@label:status"
-msgid "Finishes %1 at %2"
-msgstr "Befejezve %1 a %2 -ből"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:31
-msgctxt "@label"
-msgid "Queued"
-msgstr "Nyomtatási Sor"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:66
-msgctxt "@label link to connect manager"
-msgid "Manage in browser"
-msgstr "Kezelés a böngészőben"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:99
-msgctxt "@label"
-msgid "There are no print jobs in the queue. Slice and send a job to add one."
-msgstr "Nincs a sorban nyomtatási feladat. Szeletelj és adj hozzá egy feladatot."
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:110
-msgctxt "@label"
-msgid "Print jobs"
-msgstr "Nyomtatások"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:122
-msgctxt "@label"
-msgid "Total print time"
-msgstr "Teljes nyomtatási idő"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/MonitorQueue.qml:134
-msgctxt "@label"
-msgid "Waiting for"
-msgstr "Várakozom"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:13
-msgctxt "@title:window"
-msgid "Print over network"
-msgstr "Nyomtatás hálózaton"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:54
-msgctxt "@action:button"
-msgid "Print"
-msgstr "Nyomtatás"
-
-#: /home/trin/Gedeeld/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintWindow.qml:82
-msgctxt "@label"
-msgid "Printer selection"
-msgstr "Nyomtató kiválasztás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/AccountWidget.qml:24
-msgctxt "@action:button"
-msgid "Sign in"
-msgstr "Bejelentkezés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:20
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/WelcomePages/CloudContent.qml:64
-msgctxt "@label"
-msgid "Sign in to the Ultimaker platform"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:42
-msgctxt "@text"
-msgid ""
-"- Add material profiles and plug-ins from the Marketplace\n"
-"- Back-up and sync your material profiles and plug-ins\n"
-"- Share ideas and get help from 48,000+ users in the Ultimaker community"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/GeneralOperations.qml:62
-msgctxt "@button"
-msgid "Create a free Ultimaker account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:28
-msgctxt "@label"
-msgid "Checking..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:35
-msgctxt "@label"
-msgid "Account synced"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:42
-msgctxt "@label"
-msgid "Something went wrong..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:96
-msgctxt "@button"
-msgid "Install pending updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/SyncState.qml:118
-msgctxt "@button"
-msgid "Check for account updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:82
-msgctxt "@label The argument is a timestamp"
-msgid "Last update: %1"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:110
-msgctxt "@button"
-msgid "Ultimaker Account"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Account/UserOperations.qml:126
-msgctxt "@button"
-msgid "Sign Out"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
-msgctxt "@label"
-msgid "No time estimation available"
-msgstr "Nincs időbecslés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
-msgctxt "@label"
-msgid "No cost estimation available"
-msgstr "Nincs költségbecslés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
-msgctxt "@button"
-msgid "Preview"
-msgstr "Előnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
-msgctxt "@label"
-msgid "Time estimation"
-msgstr "Időbecslés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
-msgctxt "@label"
-msgid "Material estimation"
-msgstr "Anyag becslés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
-msgctxt "@label m for meter"
-msgid "%1m"
-msgstr "%1m"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
-msgctxt "@label g for grams"
-msgid "%1g"
-msgstr "%1g"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:55
msgctxt "@label:PrintjobStatus"
msgid "Slicing..."
msgstr "Szeletelés..."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:82
msgctxt "@label:PrintjobStatus"
msgid "Unable to slice"
msgstr "Nem szeletelhető"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Processing"
msgstr "Feldolgozás"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:121
msgctxt "@button"
msgid "Slice"
msgstr "Szeletelés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:122
msgctxt "@label"
msgid "Start the slicing process"
msgstr "Szeletelés indítása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/SliceProcessWidget.qml:136
msgctxt "@button"
msgid "Cancel"
msgstr "Elvet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:83
-msgctxt "@action:inmenu"
-msgid "Show Online Troubleshooting Guide"
-msgstr "Mutassa az online hibaelhárítási útmutatót"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:90
-msgctxt "@action:inmenu"
-msgid "Toggle Full Screen"
-msgstr "Teljes képernyőre váltás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:98
-msgctxt "@action:inmenu"
-msgid "Exit Full Screen"
-msgstr "Kilépés a teljes képernyőn"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:105
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Undo"
-msgstr "&Visszavon"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:115
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Redo"
-msgstr "&Újra"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:133
-msgctxt "@action:inmenu menubar:file"
-msgid "&Quit"
-msgstr "Kilép"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:141
-msgctxt "@action:inmenu menubar:view"
-msgid "3D View"
-msgstr "3D nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:148
-msgctxt "@action:inmenu menubar:view"
-msgid "Front View"
-msgstr "Előlnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:155
-msgctxt "@action:inmenu menubar:view"
-msgid "Top View"
-msgstr "Felülnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:162
-msgctxt "@action:inmenu menubar:view"
-msgid "Bottom View"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:169
-msgctxt "@action:inmenu menubar:view"
-msgid "Left Side View"
-msgstr "Bal oldalnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:176
-msgctxt "@action:inmenu menubar:view"
-msgid "Right Side View"
-msgstr "Jobb oldalnézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:190
-msgctxt "@action:inmenu"
-msgid "Configure Cura..."
-msgstr "Cura beállítása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:197
-msgctxt "@action:inmenu menubar:printer"
-msgid "&Add Printer..."
-msgstr "&Nyomtató hozzáadása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:203
-msgctxt "@action:inmenu menubar:printer"
-msgid "Manage Pr&inters..."
-msgstr "Nyomtatók kezelése..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:210
-msgctxt "@action:inmenu"
-msgid "Manage Materials..."
-msgstr "Anyagok kezelése..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:218
-msgctxt "@action:inmenu"
-msgid "Add more materials from Marketplace"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:225
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Update profile with current settings/overrides"
-msgstr "Profil &frissítése a jelenlegi beállításokkal/felülírásokkal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:233
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Discard current changes"
-msgstr "&Jelenlegi változtatások eldobása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:245
-msgctxt "@action:inmenu menubar:profile"
-msgid "&Create profile from current settings/overrides..."
-msgstr "Profil &létrehozása a jelenlegi beállításokkal/felülírásokkal..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:251
-msgctxt "@action:inmenu menubar:profile"
-msgid "Manage Profiles..."
-msgstr "Profilok kezelése..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:259
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Online &Documentation"
-msgstr "Online &Dokumentumok megjelenítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:267
-msgctxt "@action:inmenu menubar:help"
-msgid "Report a &Bug"
-msgstr "Hibajelentés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:275
-msgctxt "@action:inmenu menubar:help"
-msgid "What's New"
-msgstr "Újdonságok"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:289
-msgctxt "@action:inmenu menubar:help"
-msgid "About..."
-msgstr "Rólunk..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:296
-msgctxt "@action:inmenu menubar:edit"
-msgid "Delete Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:306
-msgctxt "@action:inmenu menubar:edit"
-msgid "Center Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:315
-msgctxt "@action:inmenu menubar:edit"
-msgid "Multiply Selected"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:324
-msgctxt "@action:inmenu"
-msgid "Delete Model"
-msgstr "Modell törlés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:332
-msgctxt "@action:inmenu"
-msgid "Ce&nter Model on Platform"
-msgstr "&Középső modell a platformon"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:338
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Group Models"
-msgstr "&Csoportosítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:358
-msgctxt "@action:inmenu menubar:edit"
-msgid "Ungroup Models"
-msgstr "Csoport bontása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:368
-msgctxt "@action:inmenu menubar:edit"
-msgid "&Merge Models"
-msgstr "&Modellek keverése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:378
-msgctxt "@action:inmenu"
-msgid "&Multiply Model..."
-msgstr "&Modell többszörözés..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:385
-msgctxt "@action:inmenu menubar:edit"
-msgid "Select All Models"
-msgstr "Mindent kijelöl"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:395
-msgctxt "@action:inmenu menubar:edit"
-msgid "Clear Build Plate"
-msgstr "Tárgyasztal törlése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:405
-msgctxt "@action:inmenu menubar:file"
-msgid "Reload All Models"
-msgstr "Mindent újratölt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:414
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models To All Build Plates"
-msgstr "Minden modell elrendezése a tárgyasztalon"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:421
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange All Models"
-msgstr "Minden modell rendezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:429
-msgctxt "@action:inmenu menubar:edit"
-msgid "Arrange Selection"
-msgstr "Kijelöltek rendezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:436
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Positions"
-msgstr "Minden modellpozíció visszaállítása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:443
-msgctxt "@action:inmenu menubar:edit"
-msgid "Reset All Model Transformations"
-msgstr "Minden modelltranszformáció visszaállítása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:452
-msgctxt "@action:inmenu menubar:file"
-msgid "&Open File(s)..."
-msgstr "Fájl(ok) megnyitása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:462
-msgctxt "@action:inmenu menubar:file"
-msgid "&New Project..."
-msgstr "Új projekt..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:469
-msgctxt "@action:inmenu menubar:help"
-msgid "Show Configuration Folder"
-msgstr "Konfigurációs mappa megjelenítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:476
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingView.qml:535
-msgctxt "@action:menu"
-msgid "Configure setting visibility..."
-msgstr "Beállítások láthatóságának beállítása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Actions.qml:483
-msgctxt "@action:menu"
-msgid "&Marketplace"
-msgstr "&Piactér"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:32
-msgctxt "@label:button"
-msgid "My printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:34
-msgctxt "@tooltip:button"
-msgid "Monitor printers in Ultimaker Digital Factory."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:41
-msgctxt "@tooltip:button"
-msgid "Create print projects in Digital Library."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:46
-msgctxt "@label:button"
-msgid "Print jobs"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:48
-msgctxt "@tooltip:button"
-msgid "Monitor print jobs and reprint from your print history."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:55
-msgctxt "@tooltip:button"
-msgid "Extend Ultimaker Cura with plugins and material profiles."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:62
-msgctxt "@tooltip:button"
-msgid "Become a 3D printing expert with Ultimaker e-learning."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:67
-msgctxt "@label:button"
-msgid "Ultimaker support"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:69
-msgctxt "@tooltip:button"
-msgid "Learn how to get started with Ultimaker Cura."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:74
-msgctxt "@label:button"
-msgid "Ask a question"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:76
-msgctxt "@tooltip:button"
-msgid "Consult the Ultimaker Community."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:81
-msgctxt "@label:button"
-msgid "Report a bug"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:83
-msgctxt "@tooltip:button"
-msgid "Let developers know that something is going wrong."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ApplicationSwitcher/ApplicationSwitcherPopup.qml:90
-msgctxt "@tooltip:button"
-msgid "Visit the Ultimaker website."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:257
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:31
msgctxt "@label"
-msgid "This package will be installed after restarting."
-msgstr "Ez a csomag újraindítás után fog települni."
+msgid "Time estimation"
+msgstr "Időbecslés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:468
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:17
-msgctxt "@title:tab"
-msgid "General"
-msgstr "Általános"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:114
+msgctxt "@label"
+msgid "Material estimation"
+msgstr "Anyag becslés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:471
-msgctxt "@title:tab"
-msgid "Settings"
-msgstr "Beállítások"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:164
+msgctxt "@label m for meter"
+msgid "%1m"
+msgstr "%1m"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:473
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:16
-msgctxt "@title:tab"
-msgid "Printers"
-msgstr "Nyomtatók"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/PrintJobInformation.qml:165
+msgctxt "@label g for grams"
+msgid "%1g"
+msgstr "%1g"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:477
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:34
-msgctxt "@title:tab"
-msgid "Profiles"
-msgstr "Profilok"
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:59
+msgctxt "@label"
+msgid "No time estimation available"
+msgstr "Nincs időbecslés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:594
-msgctxt "@title:window %1 is the application name"
-msgid "Closing %1"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:77
+msgctxt "@label"
+msgid "No cost estimation available"
+msgstr "Nincs költségbecslés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:595
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:607
-msgctxt "@label %1 is the application name"
-msgid "Are you sure you want to exit %1?"
-msgstr ""
+#: /home/clamboo/Desktop/Cura/resources/qml/ActionPanel/OutputProcessWidget.qml:127
+msgctxt "@button"
+msgid "Preview"
+msgstr "Előnézet"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:645
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
-msgctxt "@title:window"
-msgid "Open file(s)"
-msgstr "Fájl(ok) megnyitása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:755
-msgctxt "@window:title"
-msgid "Install Package"
-msgstr "Csomag telepítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:763
-msgctxt "@title:window"
-msgid "Open File(s)"
-msgstr "Fájl(ok) megnyitása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:766
-msgctxt "@text:window"
-msgid "We have found one or more G-Code files within the files you have selected. You can only open one G-Code file at a time. If you want to open a G-Code file, please just select only one."
-msgstr "A kiválasztott fájlok között több G-kód fájl is található.Egyszerre csak egy G-kód fájlt nyithat meg, ezért csak egy ilyen fájlt válasszon ki."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:875
-msgctxt "@title:window"
-msgid "Add Printer"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:24
+msgctxt "@label"
+msgid "Add a printer"
msgstr "Nyomtató hozzáadása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Cura.qml:883
-msgctxt "@title:window"
-msgid "What's New"
-msgstr "Újdonságok"
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:39
+msgctxt "@label"
+msgid "Add a networked printer"
+msgstr "Hálózati nyomtató hozzáadása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:15
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkOrLocalPrinterContent.qml:90
+msgctxt "@label"
+msgid "Add a non-networked printer"
+msgstr "Helyi nyomtató hozzáadása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:47
+msgctxt "@label"
+msgid "Add a Cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:74
+msgctxt "@label"
+msgid "Waiting for Cloud response"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:86
+msgctxt "@label"
+msgid "No printers found in your account?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:121
+msgctxt "@label"
+msgid "The following printers in your account have been added in Cura:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddCloudPrintersView.qml:204
+msgctxt "@button"
+msgid "Add printer manually"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:70
+msgctxt "@label"
+msgid "Add printer by IP address"
+msgstr "Nyomtató hozzáadása IP címmel"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:133
+msgctxt "@text"
+msgid "Enter your printer's IP address."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:158
+msgctxt "@button"
+msgid "Add"
+msgstr "Hozzáad"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:206
+msgctxt "@label"
+msgid "Could not connect to device."
+msgstr "Nem sikerült csatlakozni az eszközhöz."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:207
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:212
+msgctxt "@label"
+msgid "Can't connect to your Ultimaker printer?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:211
+msgctxt "@label"
+msgid "The printer at this address has not responded yet."
+msgstr "Az ezen a címen található nyomtató még nem válaszolt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:245
+msgctxt "@label"
+msgid "This printer cannot be added because it's an unknown printer or it's not the host of a group."
+msgstr "Ezt a nyomtatót nem lehet hozzáadni, mert ismeretlen a nyomtató vagy nem egy csoport tagja."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:334
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsSyncDialog.qml:707
+msgctxt "@button"
+msgid "Back"
+msgstr "Vissza"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddPrinterByIpContent.qml:347
+msgctxt "@button"
+msgid "Connect"
+msgstr "Csatlakozás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:23
+msgctxt "@label"
+msgid "User Agreement"
+msgstr "Felhasználói Szerződés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/UserAgreementContent.qml:70
+msgctxt "@button"
+msgid "Decline and close"
+msgstr "Elutasítás és bezárás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:56
+msgctxt "@label"
+msgid "Welcome to Ultimaker Cura"
+msgstr "Üdvözöljük az Ultimaker Cura-ban"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:68
+msgctxt "@text"
+msgid "Please follow these steps to set up Ultimaker Cura. This will only take a few moments."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WelcomeContent.qml:86
+msgctxt "@button"
+msgid "Get started"
+msgstr "Kezdj hozzá"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:64
+#: /home/clamboo/Desktop/Cura/resources/qml/Account/GeneralOperations.qml:20
+msgctxt "@label"
+msgid "Sign in to the Ultimaker platform"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:124
+msgctxt "@text"
+msgid "Add material settings and plugins from the Marketplace"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:154
+msgctxt "@text"
+msgid "Backup and sync your material settings and plugins"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:184
+msgctxt "@text"
+msgid "Share ideas and get help from 48,000+ users in the Ultimaker Community"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:202
+msgctxt "@button"
+msgid "Skip"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/CloudContent.qml:214
+msgctxt "@text"
+msgid "Create a free Ultimaker Account"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:234
+msgctxt "@label"
+msgid "Manufacturer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:251
+msgctxt "@label"
+msgid "Profile author"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:269
+msgctxt "@label"
+msgid "Printer name"
+msgstr "Nyomtató név"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddLocalPrinterScrollView.qml:278
+msgctxt "@text"
+msgid "Please name your printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:43
+msgctxt "@label"
+msgid "There is no printer found over your network."
+msgstr "A hálózaton nem található nyomtató."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:182
+msgctxt "@label"
+msgid "Refresh"
+msgstr "Frissítés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:193
+msgctxt "@label"
+msgid "Add printer by IP"
+msgstr "Nyomtató hozzáadása IP címmel"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:204
+msgctxt "@label"
+msgid "Add cloud printer"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/AddNetworkPrinterScrollView.qml:241
+msgctxt "@label"
+msgid "Troubleshooting"
+msgstr "Hibaelhárítás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:24
+msgctxt "@label"
+msgid "Help us to improve Ultimaker Cura"
+msgstr "Segítsen nekünk az Ultimaker Cura fejlesztésében"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:57
+msgctxt "@text"
+msgid "Ultimaker Cura collects anonymous data to improve print quality and user experience, including:"
+msgstr "Az Ultimaker Cura névtelen adatokat gyűjt a nyomtatási minőség és a felhasználói élmény javításának érdekében, ideértve:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:71
+msgctxt "@text"
+msgid "Machine types"
+msgstr "Géptípusok"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:77
+msgctxt "@text"
+msgid "Material usage"
+msgstr "Anyagfelhasználás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:83
+msgctxt "@text"
+msgid "Number of slices"
+msgstr "Szeletek száma"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:89
+msgctxt "@text"
+msgid "Print settings"
+msgstr "Nyomtatási beállítások"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:102
+msgctxt "@text"
+msgid "Data collected by Ultimaker Cura will not contain any personal information."
+msgstr "Az Ultimaker Cura által gyűjtött adatok nem tartalmaznak személyes információt."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DataCollectionsContent.qml:103
+msgctxt "@text"
+msgid "More information"
+msgstr "Több információ"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/WhatsNewContent.qml:29
+msgctxt "@label"
+msgid "What's New"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/DropDownWidget.qml:93
+msgctxt "@label"
+msgid "Empty"
+msgstr "Üres"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/WelcomePages/ChangelogContent.qml:24
+msgctxt "@label"
+msgid "Release Notes"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:15
msgctxt "@title:window The argument is the application name."
msgid "About %1"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:57
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:57
msgctxt "@label"
msgid "version: %1"
msgstr "verzió: %1"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:72
msgctxt "@label"
msgid "End-to-end solution for fused filament 3D printing."
msgstr "Teljes körű megoldás az olvadószálas 3D-s nyomtatáshoz."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:85
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:85
msgctxt "@info:credit"
msgid ""
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
"Cura proudly uses the following open source projects:"
msgstr "A Cura-t az Ultimaker B.V fejlesztette ki a közösséggel együttműködésben. A Cura büszkén használja a következő nyílt forráskódú projekteket:"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:135
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:135
msgctxt "@label"
msgid "Graphical user interface"
msgstr "Grafikai felhasználói interfész"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:136
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:136
msgctxt "@label"
msgid "Application framework"
msgstr "Alkalmazás keretrendszer"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:137
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:137
msgctxt "@label"
msgid "G-code generator"
msgstr "G-kód generátor"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:138
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:138
msgctxt "@label"
msgid "Interprocess communication library"
msgstr "Folyamatközi kommunikációs könyvtár"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:140
msgctxt "@label"
msgid "Programming language"
msgstr "Programozási nyelv"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:141
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:141
msgctxt "@label"
msgid "GUI framework"
msgstr "GUI keretrendszer"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:142
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:142
msgctxt "@label"
msgid "GUI framework bindings"
msgstr "GUI keretrendszer függőségek"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:143
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:143
msgctxt "@label"
msgid "C/C++ Binding library"
msgstr "C/C++ függőségek könyvtár"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:144
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:144
msgctxt "@label"
msgid "Data interchange format"
msgstr "Adat csere formátum"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:145
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:145
msgctxt "@label"
msgid "Support library for scientific computing"
msgstr "Támogató könyvtár a tudományos számítások számára"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:146
msgctxt "@label"
msgid "Support library for faster math"
msgstr "Támogató könyvtár a gyorsabb matematikához"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:147
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:147
msgctxt "@label"
msgid "Support library for handling STL files"
msgstr "Támogató könyvtár az STL fájlok kezeléséhez"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:148
msgctxt "@label"
msgid "Support library for handling planar objects"
msgstr "Támogató könyvtár a sík objektumok kezeléséhez"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:149
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:149
msgctxt "@label"
msgid "Support library for handling triangular meshes"
msgstr "Támogató könyvtár a háromszög hálók kezeléséhez"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:150
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:150
msgctxt "@label"
msgid "Support library for handling 3MF files"
msgstr "Támogató könyvtár a 3MF fájlok kezeléséhez"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:151
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:151
msgctxt "@label"
msgid "Support library for file metadata and streaming"
msgstr "Támogató könyvtár a fájl metaadatokhoz és továbbításához"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:152
msgctxt "@label"
msgid "Serial communication library"
msgstr "Soros kommunikációs könyvtár"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:153
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:153
msgctxt "@label"
msgid "ZeroConf discovery library"
msgstr "ZeroConf felderítő könyvtár"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:154
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:154
msgctxt "@label"
msgid "Polygon clipping library"
msgstr "Poligon daraboló könyvtár"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:155
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:155
msgctxt "@Label"
msgid "Static type checker for Python"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:156
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:157
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:157
msgctxt "@Label"
msgid "Root Certificates for validating SSL trustworthiness"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:158
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:158
msgctxt "@Label"
msgid "Python Error tracking library"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:159
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:159
msgctxt "@label"
msgid "Polygon packing library, developed by Prusa Research"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:160
msgctxt "@label"
msgid "Python bindings for libnest2d"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:161
msgctxt "@label"
msgid "Support library for system keyring access"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:162
msgctxt "@label"
msgid "Python extensions for Microsoft Windows"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:163
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:163
msgctxt "@label"
msgid "Font"
msgstr "Betűtípus"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:164
msgctxt "@label"
msgid "SVG icons"
msgstr "SVG ikonok"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AboutDialog.qml:165
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AboutDialog.qml:165
msgctxt "@label"
msgid "Linux cross-distribution application deployment"
msgstr "Linux kereszt-disztribúciós alkalmazás telepítése"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:645
msgctxt "@title:window"
-msgid "Open project file"
-msgstr "Projekt fájl megnyitása"
+msgid "Open file(s)"
+msgstr "Fájl(ok) megnyitása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
msgctxt "@text:window"
-msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
-msgstr "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?"
+msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
+msgstr "Egy vagy több projekt fájlt találtunk a kiválasztott fájlokban.Egyszerre csak egy projekt fájlt nyithat meg. Javasoljuk, hogy csak a modelleket importálja ezekből a fájlokból. Szeretné folytatni?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
-msgctxt "@text:window"
-msgid "Remember my choice"
-msgstr "Emlékezzen a választásra"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
msgctxt "@action:button"
-msgid "Open as project"
-msgstr "Megnyitás projektként"
+msgid "Import all as models"
+msgstr "Importáljunk mindent modellekként"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
+msgctxt "@title:window"
+msgid "Save Project"
+msgstr "Projekt mentése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
+msgctxt "@action:label"
+msgid "Extruder %1"
+msgstr "Extruder %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
+msgctxt "@action:label"
+msgid "%1 & material"
+msgstr "%1 & alapanyag"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
+msgctxt "@action:label"
+msgid "Material"
+msgstr "Alapanyag"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
+msgctxt "@action:label"
+msgid "Don't show project summary on save again"
+msgstr "Ne mutassa újra a projekt összegzését mentés közben"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
msgctxt "@action:button"
-msgid "Import models"
-msgstr "Modellek importálása"
+msgid "Save"
+msgstr "Mentés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:16
msgctxt "@title:window"
msgid "Discard or Keep changes"
msgstr "Változtatások megtartása vagy eldobása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:58
msgctxt "@text:window, %1 is a profile name"
msgid ""
"You have customized some profile settings.\n"
@@ -3980,1251 +3953,144 @@ msgid ""
"Alternatively, you can discard the changes to load the defaults from '%1'."
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:112
msgctxt "@title:column"
msgid "Profile settings"
msgstr "Profil beállítások"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:126
msgctxt "@title:column"
msgid "Current changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:755
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:160
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:755
msgctxt "@option:discardOrKeep"
msgid "Always ask me this"
msgstr "Mindig kérdezz"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:161
msgctxt "@option:discardOrKeep"
msgid "Discard and never ask again"
msgstr "Eldobás és ne kérdezze újra"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:162
msgctxt "@option:discardOrKeep"
msgid "Keep and never ask again"
msgstr "Megtartás és ne kérdezze újra"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:199
msgctxt "@action:button"
msgid "Discard changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/DiscardOrKeepProfileChangesDialog.qml:212
msgctxt "@action:button"
msgid "Keep changes"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:59
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:20
+msgctxt "@title:window"
+msgid "Open project file"
+msgstr "Projekt fájl megnyitása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:88
msgctxt "@text:window"
-msgid "We have found one or more project file(s) within the files you have selected. You can open only one project file at a time. We suggest to only import models from those files. Would you like to proceed?"
-msgstr "Egy vagy több projekt fájlt találtunk a kiválasztott fájlokban.Egyszerre csak egy projekt fájlt nyithat meg. Javasoljuk, hogy csak a modelleket importálja ezekből a fájlokból. Szeretné folytatni?"
+msgid "This is a Cura project file. Would you like to open it as a project or import the models from it?"
+msgstr "Ez egy Cura projekt fájl. Szeretné projektként megnyitni, vagy importálni a modelleket?"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/OpenFilesIncludingProjectsDialog.qml:94
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:98
+msgctxt "@text:window"
+msgid "Remember my choice"
+msgstr "Emlékezzen a választásra"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:117
msgctxt "@action:button"
-msgid "Import all as models"
-msgstr "Importáljunk mindent modellekként"
+msgid "Open as project"
+msgstr "Megnyitás projektként"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:16
-msgctxt "@title:window"
-msgid "Save Project"
-msgstr "Projekt mentése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:174
-msgctxt "@action:label"
-msgid "Extruder %1"
-msgstr "Extruder %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:190
-msgctxt "@action:label"
-msgid "%1 & material"
-msgstr "%1 & alapanyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:192
-msgctxt "@action:label"
-msgid "Material"
-msgstr "Alapanyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:282
-msgctxt "@action:label"
-msgid "Don't show project summary on save again"
-msgstr "Ne mutassa újra a projekt összegzését mentés közben"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Dialogs/WorkspaceSummaryDialog.qml:301
+#: /home/clamboo/Desktop/Cura/resources/qml/Dialogs/AskOpenAsProjectOrModelsDialog.qml:126
msgctxt "@action:button"
-msgid "Save"
-msgstr "Mentés"
+msgid "Import models"
+msgstr "Modellek importálása"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ExtruderButton.qml:16
-msgctxt "@label %1 is filled in with the name of an extruder"
-msgid "Print Selected Model with %1"
-msgid_plural "Print Selected Models with %1"
-msgstr[0] "Kiválasztott modell nyomtatása %1"
-msgstr[1] "Kiválasztott modellek nyomtatása %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/JobSpecs.qml:99
-msgctxt "@text Print job name"
-msgid "Untitled"
-msgstr "Névtelen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:27
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&File"
-msgstr "&Fájl"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:31
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Edit"
-msgstr "S&zerkesztés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:49
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:12
-msgctxt "@title:menu menubar:toplevel"
-msgid "&View"
-msgstr "&Nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:60
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:13
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Settings"
-msgstr "&Beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:66
-msgctxt "@title:menu menubar:toplevel"
-msgid "E&xtensions"
-msgstr "K&iterjesztések"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:112
-msgctxt "@title:menu menubar:toplevel"
-msgid "P&references"
-msgstr "P&referenciák"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:120
-msgctxt "@title:menu menubar:toplevel"
-msgid "&Help"
-msgstr "&Segítség"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:166
-msgctxt "@title:window"
-msgid "New project"
-msgstr "Új projekt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/ApplicationMenu.qml:167
-msgctxt "@info:question"
-msgid "Are you sure you want to start a new project? This will clear the build plate and any unsaved settings."
-msgstr "Biztos benne, hogy új projektet akar kezdeni? Ez törli az alapsíkot és az összes nem mentett beállítást."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MainWindow/MainWindowHeader.qml:90
-msgctxt "@action:button"
-msgid "Marketplace"
-msgstr "Piactér"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
-msgctxt "@header"
-msgid "Configurations"
-msgstr "Konfigurációk"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
-msgctxt "@label"
-msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
-msgstr "Ez a konfiguráció nem érhető el, mert a(z) %1 nem azonosítható. Kérjük, látogasson el a %2 webhelyre a megfelelő anyagprofil letöltéséhez."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
-msgctxt "@label"
-msgid "Marketplace"
-msgstr "Piactér"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
-msgctxt "@label"
-msgid "Loading available configurations from the printer..."
-msgstr "Az elérhető konfigurációk betöltése a nyomtatóról..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
-msgctxt "@label"
-msgid "The configurations are not available because the printer is disconnected."
-msgstr "A konfiguráció nem elérhető, mert nincs kapcsolat a a nyomtatóval."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:140
-msgctxt "@label"
-msgid "Select configuration"
-msgstr "Konfiguráció kiválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:251
-msgctxt "@label"
-msgid "Configurations"
-msgstr "Konfigurációk"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
-msgctxt "@header"
-msgid "Custom"
-msgstr "Egyéni"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
-msgctxt "@label"
-msgid "Printer"
-msgstr "Nyomtató"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
-msgctxt "@label"
-msgid "Enabled"
-msgstr "Bekapcsolt"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
-msgctxt "@label"
-msgid "Material"
-msgstr "Alapanyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
-msgctxt "@label"
-msgid "Use glue for better adhesion with this material combination."
-msgstr "Használj ragasztót a jobb tapadás érdekében, ennél az alapanyag kombinációnál."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
-msgctxt "@label"
-msgid "Print Selected Model With:"
-msgid_plural "Print Selected Models With:"
-msgstr[0] "Kiválasztott modell nyomtatása:"
-msgstr[1] "Kiválasztott modellek nyomtatása:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:116
-msgctxt "@title:window"
-msgid "Multiply Selected Model"
-msgid_plural "Multiply Selected Models"
-msgstr[0] "Kiválasztott modell sokszorozása"
-msgstr[1] "Kiválasztott modellek sokszorozása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ContextMenu.qml:141
-msgctxt "@label"
-msgid "Number of Copies"
-msgstr "Másolatok száma"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:41
-msgctxt "@title:menu menubar:file"
-msgid "&Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:74
-msgctxt "@title:menu menubar:file"
-msgid "&Export..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/FileMenu.qml:85
-msgctxt "@action:inmenu menubar:file"
-msgid "Export Selection..."
-msgstr "Kiválasztás exportálása..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:13
-msgctxt "@label:category menu label"
-msgid "Material"
-msgstr "Alapanyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:54
-msgctxt "@label:category menu label"
-msgid "Favorites"
-msgstr "Kedvencek"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/MaterialMenu.qml:79
-msgctxt "@label:category menu label"
-msgid "Generic"
-msgstr "Generikus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open File(s)..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:25
-msgctxt "@label:category menu label"
-msgid "Network enabled printers"
-msgstr "Hálózati nyomtatók"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/PrinterMenu.qml:42
-msgctxt "@label:category menu label"
-msgid "Local printers"
-msgstr "Helyi nyomtatók"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Open &Recent"
-msgstr "Legutóbbi fájlok"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
-msgctxt "@title:menu menubar:file"
-msgid "Save Project..."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:15
-msgctxt "@title:menu menubar:settings"
-msgid "&Printer"
-msgstr "&Nyomtató"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:29
-msgctxt "@title:menu"
-msgid "&Material"
-msgstr "&Alapanyag"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:44
-msgctxt "@action:inmenu"
-msgid "Set as Active Extruder"
-msgstr "Beállítva aktív extruderként"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:50
-msgctxt "@action:inmenu"
-msgid "Enable Extruder"
-msgstr "Extruder engedélyezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingsMenu.qml:57
-msgctxt "@action:inmenu"
-msgid "Disable Extruder"
-msgstr "Extruder letiltása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
-msgctxt "@action:inmenu"
-msgid "Visible Settings"
-msgstr "Láthatósági beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
-msgctxt "@action:inmenu"
-msgid "Collapse All Categories"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
-msgctxt "@action:inmenu"
-msgid "Manage Setting Visibility..."
-msgstr "Beállítások láthatóságának kezelése..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:19
-msgctxt "@action:inmenu menubar:view"
-msgid "&Camera position"
-msgstr "&Kamera helyzet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:45
-msgctxt "@action:inmenu menubar:view"
-msgid "Camera view"
-msgstr "Kamera nézet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:48
-msgctxt "@action:inmenu menubar:view"
-msgid "Perspective"
-msgstr "Perspektívikus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:60
-msgctxt "@action:inmenu menubar:view"
-msgid "Orthographic"
-msgstr "Merőleges"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Menus/ViewMenu.qml:81
-msgctxt "@action:inmenu menubar:view"
-msgid "&Build plate"
-msgstr "&Tárgyasztal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:119
-msgctxt "@label:MonitorStatus"
-msgid "Not connected to a printer"
-msgstr "Nincs nyomtatóhoz csatlakoztatva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:123
-msgctxt "@label:MonitorStatus"
-msgid "Printer does not accept commands"
-msgstr "A nyomtató nem fogadja a parancsokat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:133
-msgctxt "@label:MonitorStatus"
-msgid "In maintenance. Please check the printer"
-msgstr "Karbantartás alatt. Ellenőrizze a nyomtatót"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:144
-msgctxt "@label:MonitorStatus"
-msgid "Lost connection with the printer"
-msgstr "Elveszett a kapcsolat a nyomtatóval"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:146
-msgctxt "@label:MonitorStatus"
-msgid "Printing..."
-msgstr "Nyomtatás..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:149
-msgctxt "@label:MonitorStatus"
-msgid "Paused"
-msgstr "Felfüggsztve"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:152
-msgctxt "@label:MonitorStatus"
-msgid "Preparing..."
-msgstr "Előkészítés..."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:154
-msgctxt "@label:MonitorStatus"
-msgid "Please remove the print"
-msgstr "Távolítsa el a tárgyat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:326
-msgctxt "@label"
-msgid "Abort Print"
-msgstr "Nyomtatás megszakítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/MonitorButton.qml:338
-msgctxt "@label"
-msgid "Are you sure you want to abort the print?"
-msgstr "Biztosan meg akarod szakítani a nyomtatást?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:112
-msgctxt "@label"
-msgid "Is printed as support."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:115
-msgctxt "@label"
-msgid "Other models overlapping with this model are modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:118
-msgctxt "@label"
-msgid "Infill overlapping with this model is modified."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:121
-msgctxt "@label"
-msgid "Overlaps with this model are not supported."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectItemButton.qml:128
-msgctxt "@label %1 is the number of settings it overrides."
-msgid "Overrides %1 setting."
-msgid_plural "Overrides %1 settings."
-msgstr[0] ""
-msgstr[1] ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/ObjectSelector.qml:59
-msgctxt "@label"
-msgid "Object list"
-msgstr "Objektum lista"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:143
-msgctxt "@label"
-msgid "Interface"
-msgstr "Interfész"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:215
-msgctxt "@label"
-msgid "Currency:"
-msgstr "Pénznem:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:228
-msgctxt "@label"
-msgid "Theme:"
-msgstr "Téma:"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:273
-msgctxt "@label"
-msgid "You will need to restart the application for these changes to have effect."
-msgstr "A módosítások érvénybe lépéséhez újra kell indítania az alkalmazást."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:290
-msgctxt "@info:tooltip"
-msgid "Slice automatically when changing settings."
-msgstr "Automatikus újraszeletelés, ha a beállítások megváltoznak."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:298
-msgctxt "@option:check"
-msgid "Slice automatically"
-msgstr "Automatikus szeletelés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:312
-msgctxt "@label"
-msgid "Viewport behavior"
-msgstr "A nézetablak viselkedése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:320
-msgctxt "@info:tooltip"
-msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
-msgstr "Jelölje meg pirossal azokat a területeket, amiket szükséges alátámasztani.Ha ezeket a részeket nem támasztjuk alá, a nyomtatás nem lesz hibátlan."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:329
-msgctxt "@option:check"
-msgid "Display overhang"
-msgstr "Túlnyúlás kijelzése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:339
-msgctxt "@info:tooltip"
-msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:348
-msgctxt "@option:check"
-msgid "Display model errors"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:356
-msgctxt "@info:tooltip"
-msgid "Moves the camera so the model is in the center of the view when a model is selected"
-msgstr "A kamerát úgy mozgatja, hogy a modell kiválasztásakor, az a nézet középpontjában legyen"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:361
-msgctxt "@action:button"
-msgid "Center camera when item is selected"
-msgstr "Kamera középre, mikor az elem ki van választva"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:371
-msgctxt "@info:tooltip"
-msgid "Should the default zoom behavior of cura be inverted?"
-msgstr "Megfordítsuk-e az alapértelmezett Zoom viselkedését?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:376
-msgctxt "@action:button"
-msgid "Invert the direction of camera zoom."
-msgstr "Fordítsa meg a kamera zoom irányát."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Should zooming move in the direction of the mouse?"
-msgstr "A nagyítás az egér mozgatásának irányában mozogjon?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:392
-msgctxt "@info:tooltip"
-msgid "Zooming towards the mouse is not supported in the orthographic perspective."
-msgstr "Az egér felé történő nagyítás ortográfiai szempontból nem támogatott."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:397
-msgctxt "@action:button"
-msgid "Zoom toward mouse direction"
-msgstr "Nagyítás az egér mozgás irányában"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:423
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved so that they no longer intersect?"
-msgstr "Az alapsíkon lévő modelleket elmozgassuk úgy, hogy ne keresztezzék egymást?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:428
-msgctxt "@option:check"
-msgid "Ensure models are kept apart"
-msgstr "A modellek egymástól való távtartásának biztosítása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:437
-msgctxt "@info:tooltip"
-msgid "Should models on the platform be moved down to touch the build plate?"
-msgstr "A modelleket mozgatni kell lefelé, hogy érintsék a tárgyasztalt?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:442
-msgctxt "@option:check"
-msgid "Automatically drop models to the build plate"
-msgstr "Modellek automatikus tárgyasztalra illesztése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:454
-msgctxt "@info:tooltip"
-msgid "Show caution message in g-code reader."
-msgstr "Figyelmeztető üzenet megjelenítése g-kód olvasóban."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:463
-msgctxt "@option:check"
-msgid "Caution message in g-code reader"
-msgstr "Figyelmeztető üzenet a g-code olvasóban"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:471
-msgctxt "@info:tooltip"
-msgid "Should layer be forced into compatibility mode?"
-msgstr "Kényszerítsük a réteget kompatibilitási módba ?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:476
-msgctxt "@option:check"
-msgid "Force layer view compatibility mode (restart required)"
-msgstr "A rétegnézet kompatibilis módjának kényszerítése (újraindítás szükséges)"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:486
-msgctxt "@info:tooltip"
-msgid "Should Cura open at the location it was closed?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:491
-msgctxt "@option:check"
-msgid "Restore window position on start"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:501
-msgctxt "@info:tooltip"
-msgid "What type of camera rendering should be used?"
-msgstr "Milyen fípusú fényképezőgépet használunk?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:508
-msgctxt "@window:text"
-msgid "Camera rendering:"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:515
-msgid "Perspective"
-msgstr "Perspetívikus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:516
-msgid "Orthographic"
-msgstr "Merőleges"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:554
-msgctxt "@label"
-msgid "Opening and saving files"
-msgstr "Fájlok megnyitása és mentése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:561
-msgctxt "@info:tooltip"
-msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:566
-msgctxt "@option:check"
-msgid "Use a single instance of Cura"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:576
-msgctxt "@info:tooltip"
-msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:582
-msgctxt "@option:check"
-msgid "Clear buildplate before loading model into the single instance"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:592
-msgctxt "@info:tooltip"
-msgid "Should models be scaled to the build volume if they are too large?"
-msgstr "A modelleket átméretezzük a maximális építési méretre, ha azok túl nagyok?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:597
-msgctxt "@option:check"
-msgid "Scale large models"
-msgstr "Nagy modellek átméretezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:607
-msgctxt "@info:tooltip"
-msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
-msgstr "Egy adott modell rendkívül kicsinek tűnhet, ha mértékegysége például méterben van, nem pedig milliméterben. Ezeket a modelleket átméretezzük?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:612
-msgctxt "@option:check"
-msgid "Scale extremely small models"
-msgstr "Extrém kicsi modellek átméretezése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:622
-msgctxt "@info:tooltip"
-msgid "Should models be selected after they are loaded?"
-msgstr "Betöltés után a modellek legyenek kiválasztva?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:627
-msgctxt "@option:check"
-msgid "Select models when loaded"
-msgstr "Modell kiválasztása betöltés után"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:637
-msgctxt "@info:tooltip"
-msgid "Should a prefix based on the printer name be added to the print job name automatically?"
-msgstr "A nyomtató nevét, mint előtagot, hozzáadjuk a nyomtatási feladat nevéhez?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:642
-msgctxt "@option:check"
-msgid "Add machine prefix to job name"
-msgstr "Gépnév előtagként a feladatnévben"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:652
-msgctxt "@info:tooltip"
-msgid "Should a summary be shown when saving a project file?"
-msgstr "Mutassuk az összegzést a projekt mentésekor?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:656
-msgctxt "@option:check"
-msgid "Show summary dialog when saving project"
-msgstr "Összegzés megjelenítése projekt mentésekor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:666
-msgctxt "@info:tooltip"
-msgid "Default behavior when opening a project file"
-msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:674
-msgctxt "@window:text"
-msgid "Default behavior when opening a project file: "
-msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:688
-msgctxt "@option:openProject"
-msgid "Always ask me this"
-msgstr "Mindig kérdezz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:689
-msgctxt "@option:openProject"
-msgid "Always open as a project"
-msgstr "Projektként való megnyitás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:690
-msgctxt "@option:openProject"
-msgid "Always import models"
-msgstr "Importálja a modelleket"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:727
-msgctxt "@info:tooltip"
-msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
-msgstr "Ha módosított egy profilt, és váltott egy másikra, akkor megjelenik egy párbeszédpanel, amelyben megkérdezi, hogy meg kívánja-e tartani a módosításokat, vagy nem. Vagy választhat egy alapértelmezett viselkedést, és soha többé nem jeleníti meg ezt a párbeszédablakot."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:736
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
-msgctxt "@label"
-msgid "Profiles"
-msgstr "Profilok"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:741
-msgctxt "@window:text"
-msgid "Default behavior for changed setting values when switching to a different profile: "
-msgstr "Alapértelmezett viselkedés a megváltozott beállítási értékeknél, ha másik profilra vált: "
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:756
-msgctxt "@option:discardOrKeep"
-msgid "Always discard changed settings"
-msgstr "Megváltozott beállítások elvetése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:757
-msgctxt "@option:discardOrKeep"
-msgid "Always transfer changed settings to new profile"
-msgstr "Megváltozott beállítások alkalmazása az új profilba"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:791
-msgctxt "@label"
-msgid "Privacy"
-msgstr "Magán"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:797
-msgctxt "@info:tooltip"
-msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
-msgstr "Elküldjük a nyomtatott adatokat név nélkül az Ultimaker-nek?Semmilyen személyes infromáció, IP cím vagy azonosító nem kerül elküldésre."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:802
-msgctxt "@option:check"
-msgid "Send (anonymous) print information"
-msgstr "Név nélküli információ küldés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:811
-msgctxt "@action:button"
-msgid "More information"
-msgstr "Több információ"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:829
-msgctxt "@label"
-msgid "Updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:836
-msgctxt "@info:tooltip"
-msgid "Should Cura check for updates when the program is started?"
-msgstr "A Cura-nak ellenőriznie kell-e a frissítéseket a program indításakor?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:841
-msgctxt "@option:check"
-msgid "Check for updates on start"
-msgstr "Keressen frissítéseket az induláskor"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:852
-msgctxt "@info:tooltip"
-msgid "When checking for updates, only check for stable releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:857
-msgctxt "@option:radio"
-msgid "Stable releases only"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:868
-msgctxt "@info:tooltip"
-msgid "When checking for updates, check for both stable and for beta releases."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:873
-msgctxt "@option:radio"
-msgid "Stable and Beta releases"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:884
-msgctxt "@info:tooltip"
-msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:889
-msgctxt "@option:check"
-msgid "Get notifications for plugin updates"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:40
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:84
-msgctxt "@action:button"
-msgid "Activate"
-msgstr "Aktivál"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:63
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:152
-msgctxt "@action:button"
-msgid "Rename"
-msgstr "Átnevezés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
-msgctxt "@action:button"
-msgid "Create"
-msgstr "Létrehoz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
-msgctxt "@action:button"
-msgid "Duplicate"
-msgstr "Másolat"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:167
-msgctxt "@action:button"
-msgid "Import"
-msgstr "Import"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:179
-msgctxt "@action:button"
-msgid "Export"
-msgstr "Export"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
-msgctxt "@action:button Sending materials to printers"
-msgid "Sync with Printers"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:249
-msgctxt "@action:label"
-msgid "Printer"
-msgstr "Nyomtató"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:313
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:277
-msgctxt "@title:window"
-msgid "Confirm Remove"
-msgstr "Eltávolítás megerősítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:278
-msgctxt "@label (%1 is object name)"
-msgid "Are you sure you wish to remove %1? This cannot be undone!"
-msgstr "Biztosan el akarod távolítani %1 -et? Ez nem vonható vissza!"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:330
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
-msgctxt "@title:window"
-msgid "Import Material"
-msgstr "Alapanyag importálás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:339
-msgctxt "@info:status Don't translate the XML tags or !"
-msgid "Could not import material %1: %2"
-msgstr "Nem sikerült importálni az alapanyagot %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:343
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully imported material %1"
-msgstr "Sikeres alapanyag import %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:361
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:369
-msgctxt "@title:window"
-msgid "Export Material"
-msgstr "Alapanyag export"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:373
-msgctxt "@info:status Don't translate the XML tags and !"
-msgid "Failed to export material to %1: %2"
-msgstr "Sikertelen alapanyag export %1: %2"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:379
-msgctxt "@info:status Don't translate the XML tag !"
-msgid "Successfully exported material to %1"
-msgstr "Sikeres alapanyag export %1 -ba"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:389
-msgctxt "@title:window"
-msgid "Export All Materials"
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
-msgctxt "@title"
-msgid "Information"
-msgstr "Információ"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
-msgctxt "@title:window"
-msgid "Confirm Diameter Change"
-msgstr "Új átmérő megerősítése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
-msgctxt "@label (%1 is a number)"
-msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
-msgstr "Az új nyomtatószál átmérő %1 mm -re lett beállítva. Ez nem kompatibilis a jelenlegi extruderrel. Biztos, hogy így folytatod?"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
-msgctxt "@label"
-msgid "Display Name"
-msgstr "Megjelenítendő név"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
-msgctxt "@label"
-msgid "Material Type"
-msgstr "Alapanyag típus"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
-msgctxt "@label"
-msgid "Color"
-msgstr "Szín"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
-msgctxt "@label"
-msgid "Properties"
-msgstr "Tulajdonságok"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
-msgctxt "@label"
-msgid "Density"
-msgstr "Sűrűség"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
-msgctxt "@label"
-msgid "Diameter"
-msgstr "Átmérő"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
-msgctxt "@label"
-msgid "Filament Cost"
-msgstr "Nyomtatószál költség"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
-msgctxt "@label"
-msgid "Filament weight"
-msgstr "Nyomtatószál súly"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
-msgctxt "@label"
-msgid "Filament length"
-msgstr "Nyomtatószál hossz"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
-msgctxt "@label"
-msgid "Cost per Meter"
-msgstr "Költség / méter"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
-msgctxt "@label"
-msgid "This material is linked to %1 and shares some of its properties."
-msgstr "Ez az anyag kapcsolódik% 1 -hez és osztja néhány tulajdonságát."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
-msgctxt "@label"
-msgid "Unlink Material"
-msgstr "Alapanyag leválasztása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
-msgctxt "@label"
-msgid "Description"
-msgstr "Leírás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
-msgctxt "@label"
-msgid "Adhesion Information"
-msgstr "Tapadási információ"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
-msgctxt "@label"
-msgid "Print settings"
-msgstr "Nyomtatási beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:104
-msgctxt "@label"
-msgid "Create"
-msgstr "Létrehozás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:121
-msgctxt "@label"
-msgid "Duplicate"
-msgstr "Másolás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:202
-msgctxt "@title:window"
-msgid "Create Profile"
-msgstr "Profil készítés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:204
-msgctxt "@info"
-msgid "Please provide a name for this profile."
-msgstr "Adjon nevet ehhez a profilhoz."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:263
-msgctxt "@title:window"
-msgid "Duplicate Profile"
-msgstr "Profil másolása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:294
-msgctxt "@title:window"
-msgid "Rename Profile"
-msgstr "Profil átnevezés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:307
-msgctxt "@title:window"
-msgid "Import Profile"
-msgstr "Profil importálás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:336
-msgctxt "@title:window"
-msgid "Export Profile"
-msgstr "Profil exportálás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:399
-msgctxt "@label %1 is printer name"
-msgid "Printer: %1"
-msgstr "Nyomtató: %1"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:557
-msgctxt "@action:button"
-msgid "Update profile with current settings/overrides"
-msgstr "Frissítse a profilt az aktuális beállításokkal/felülbírálásokkal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:564
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
-msgctxt "@action:button"
-msgid "Discard current changes"
-msgstr "A jelenlegi változások elvetése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:583
-msgctxt "@action:label"
-msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
-msgstr "Ez a profil a nyomtató által megadott alapértelmezéseket használja, tehát az alábbi listában nincs egyetlen beállítás módosítás sem."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:591
-msgctxt "@action:label"
-msgid "Your current settings match the selected profile."
-msgstr "Az Ön aktuális beállításai megegyeznek a kiválasztott profillal."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:609
-msgctxt "@title:tab"
-msgid "Global Settings"
-msgstr "Általános beállítások"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:61
-msgctxt "@info:status"
-msgid "Calculated"
-msgstr "Számított"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:75
-msgctxt "@title:column"
-msgid "Setting"
-msgstr "Beállítás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:82
-msgctxt "@title:column"
-msgid "Profile"
-msgstr "Profil"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:89
-msgctxt "@title:column"
-msgid "Current"
-msgstr "Jelenlegi"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/ProfileTab.qml:97
-msgctxt "@title:column"
-msgid "Unit"
-msgstr "Egység"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:16
-msgctxt "@title:tab"
-msgid "Setting Visibility"
-msgstr "Láthatóság beállítása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:48
-msgctxt "@label:textbox"
-msgid "Check all"
-msgstr "Mindent ellenőrizni"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:41
-msgctxt "@label"
-msgid "Extruder"
-msgstr "Extruder"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:71
-msgctxt "@tooltip"
-msgid "The target temperature of the hotend. The hotend will heat up or cool down towards this temperature. If this is 0, the hotend heating is turned off."
-msgstr "A nyomtatófej célhőmérséklete. A fűtőblokk hőmérséklete a beállított értékre fog melegedni, vagy éppen hűlni. Ha ez az érték 0, akkor a fejfűtés ki fog kapcsolni."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:103
-msgctxt "@tooltip"
-msgid "The current temperature of this hotend."
-msgstr "Ennek a fejnek a jelenlegi hőmérséklete."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:177
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the hotend to."
-msgstr "A nyomtatófej előmelegítési hőmérséklete."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:341
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:332
-msgctxt "@button Cancel pre-heating"
-msgid "Cancel"
-msgstr "Elvet"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:344
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:335
-msgctxt "@button"
-msgid "Pre-heat"
-msgstr "Előfűtés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:370
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the hotend in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the hotend to heat up when you're ready to print."
-msgstr "A nyomtatófejet a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:406
-msgctxt "@tooltip"
-msgid "The colour of the material in this extruder."
-msgstr "Az alapanyag színe ennél az extrudernél."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:438
-msgctxt "@tooltip"
-msgid "The material in this extruder."
-msgstr "Az alapanyag ebben az extruderben."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ExtruderBox.qml:470
-msgctxt "@tooltip"
-msgid "The nozzle inserted in this extruder."
-msgstr "A fúvóka be van építve az extruderbe."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:26
-msgctxt "@label"
-msgid "Build plate"
-msgstr "Tárgyasztal"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:56
-msgctxt "@tooltip"
-msgid "The target temperature of the heated bed. The bed will heat up or cool down towards this temperature. If this is 0, the bed heating is turned off."
-msgstr "A fűthető ágy beállítható célhőmérséklete. Ha beállítjuk ezt az értéket a tálca elkezd erre a hőmérsékletre melegedni, vagy éppen lehűlni. Ha az érték 0 a tálcafűtés kikapcsol."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:88
-msgctxt "@tooltip"
-msgid "The current temperature of the heated bed."
-msgstr "A fűthető ágy aktuális hőmérséklete."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:161
-msgctxt "@tooltip of temperature input"
-msgid "The temperature to pre-heat the bed to."
-msgstr "A tálca előmelegítési hőmérséklete."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/HeatedBedBox.qml:361
-msgctxt "@tooltip of pre-heat"
-msgid "Heat the bed in advance before printing. You can continue adjusting your print while it is heating, and you won't have to wait for the bed to heat up when you're ready to print."
-msgstr "A fűthető tálcát, a nyomtatás előtt előre felmelegíti. Ez alatt az idő alatt tudod folytatni a nyomtatás beállítását, esetleg a szeletelést, s mire ezekkel a műveletekkel elkészülsz, a nyomtató már készen fog állni a nyomtatásra.Így nem kell majd várnod a gép felmelegedésére."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:52
-msgctxt "@label"
-msgid "Printer control"
-msgstr "Nyomtató vezérlés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:67
-msgctxt "@label"
-msgid "Jog Position"
-msgstr "Léptetőgomb pozíció"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:85
-msgctxt "@label"
-msgid "X/Y"
-msgstr "X/Y"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:192
-msgctxt "@label"
-msgid "Z"
-msgstr "Z"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:257
-msgctxt "@label"
-msgid "Jog Distance"
-msgstr "Léptetőgomb távolság"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:301
-msgctxt "@label"
-msgid "Send G-code"
-msgstr "G-kód küldés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:365
-msgctxt "@tooltip of G-code command input"
-msgid "Send a custom G-code command to the connected printer. Press 'enter' to send the command."
-msgstr "Küldjön egy egyéni G-kód parancsot a csatlakoztatott nyomtatóra. A parancs elküldéséhez nyomja meg az 'enter' gombot."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterOutput/OutputDeviceHeader.qml:55
-msgctxt "@info:status"
-msgid "The printer is not connected."
-msgstr "A nyomtató nincs csatlakoztatva."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
-msgctxt "@status"
-msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
-msgctxt "@status"
-msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
-msgctxt "@status"
-msgid "The cloud connection is currently unavailable. Please check your internet connection."
-msgstr ""
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
-msgctxt "@button"
-msgid "Add printer"
-msgstr "Nyomtató hozzáadása"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
-msgctxt "@button"
-msgid "Manage printers"
-msgstr "Nyomtatók kezelése"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Connected printers"
-msgstr "Csatlakoztatott nyomtatók"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
-msgctxt "@label"
-msgid "Preset printers"
-msgstr "Előre beállított nyomtatók"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:140
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:140
msgctxt "@label"
msgid "Active print"
msgstr "Aktív nyomtatás"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:148
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:148
msgctxt "@label"
msgid "Job Name"
msgstr "Feladat név"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:156
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:156
msgctxt "@label"
msgid "Printing Time"
msgstr "Nyomtatási idő"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintMonitor.qml:164
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintMonitor.qml:164
msgctxt "@label"
msgid "Estimated time left"
msgstr "Becsült hátralévő idő"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:47
+msgctxt "@status"
+msgid "The cloud printer is offline. Please check if the printer is turned on and connected to the internet."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:51
+msgctxt "@status"
+msgid "This printer is not linked to your account. Please visit the Ultimaker Digital Factory to establish a connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:56
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please sign in to connect to the cloud printer."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:60
+msgctxt "@status"
+msgid "The cloud connection is currently unavailable. Please check your internet connection."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:252
+msgctxt "@button"
+msgid "Add printer"
+msgstr "Nyomtató hozzáadása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelector.qml:269
+msgctxt "@button"
+msgid "Manage printers"
+msgstr "Nyomtatók kezelése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Connected printers"
+msgstr "Csatlakoztatott nyomtatók"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrinterSelector/MachineSelectorList.qml:19
+msgctxt "@label"
+msgid "Preset printers"
+msgstr "Előre beállított nyomtatók"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:19
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:374
+msgctxt "@label"
+msgid "Print settings"
+msgstr "Nyomtatási beállítások"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
+msgctxt "@label shown when we load a Gcode file"
+msgid "Print setup disabled. G-code file can not be modified."
+msgstr "A nyomtatás beállítása letiltva. A G-kód fájl nem módosítható."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:47
msgctxt "@label"
msgid "Profile"
msgstr "Profil"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/CustomPrintSetup.qml:170
msgctxt "@tooltip"
msgid ""
"Some setting/override values are different from the values stored in the profile.\n"
@@ -5235,120 +4101,1700 @@ msgstr ""
"\n"
"Kattints, hogy megnyisd a profil menedzsert."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:146
msgctxt "@label:header"
msgid "Custom profiles"
msgstr ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Custom/QualitiesWithIntentMenu.qml:244
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:564
+msgctxt "@action:button"
+msgid "Discard current changes"
+msgstr "A jelenlegi változások elvetése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
+msgctxt "@button"
+msgid "Recommended"
+msgstr "Ajánlott"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
+msgctxt "@button"
+msgid "Custom"
+msgstr "Egyéni"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
+msgctxt "@label:Should be short"
+msgid "On"
+msgstr "Be"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
+msgctxt "@label:Should be short"
+msgid "Off"
+msgstr "Ki"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+msgctxt "@label"
+msgid "Experimental"
+msgstr "Tapasztalati"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/NoIntentIcon.qml:31
msgctxt "@label %1 is filled in with the type of a profile. %2 is filled with a list of numbers (eg '1' or '1, 2')"
msgid "There is no %1 profile for the configuration in extruder %2. The default intent will be used instead"
msgid_plural "There is no %1 profile for the configurations in extruders %2. The default intent will be used instead"
msgstr[0] ""
msgstr[1] ""
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelector.qml:21
-msgctxt "@label shown when we load a Gcode file"
-msgid "Print setup disabled. G-code file can not be modified."
-msgstr "A nyomtatás beállítása letiltva. A G-kód fájl nem módosítható."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:144
-msgctxt "@button"
-msgid "Recommended"
-msgstr "Ajánlott"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorContents.qml:158
-msgctxt "@button"
-msgid "Custom"
-msgstr "Egyéni"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:13
-msgctxt "@label:Should be short"
-msgid "On"
-msgstr "Be"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:14
-msgctxt "@label:Should be short"
-msgid "Off"
-msgstr "Ki"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/PrintSetupSelectorHeader.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:52
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:736
msgctxt "@label"
-msgid "Experimental"
-msgstr "Tapasztalati"
+msgid "Profiles"
+msgstr "Profilok"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
-msgctxt "@label"
-msgid "Adhesion"
-msgstr "Letapadás"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
-msgctxt "@label"
-msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
-msgstr "Engedélyezze a peremet, vagy az aláúsztatást. Ez létre fog hozni a test szélén illetve az alján egy olyan részt, ami segíti a letapadást, viszont nyomtatás után ezek könnyen eltávolíthatóak a testről."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
-msgctxt "@label"
-msgid "Gradual infill"
-msgstr "Fokozatos kitöltés"
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
-msgctxt "@label"
-msgid "Gradual infill will gradually increase the amount of infill towards the top."
-msgstr "A fokozatos kitöltés folyamatosan növeli a kitöltés mennyiségét, ahogy közeledik a tárgy teteje felé."
-
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedQualityProfileSelector.qml:82
msgctxt "@tooltip"
msgid "You have modified some profile settings. If you want to change these go to custom mode."
msgstr "Megváltoztattál néhány profilbeállítást. Ha ezeket szeretnéd folyamatosan megtartani, akkor válaszd az 'Egyéni mód' -ot."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:30
msgctxt "@label"
msgid "Support"
msgstr "Támasz"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedSupportSelector.qml:72
msgctxt "@label"
msgid "Generate structures to support parts of the model which have overhangs. Without these structures, such parts would collapse during printing."
msgstr "A támasz létrehozása segíti a modell kinyúló részeinek hibátlan nyomatását. Támasz nélkül, ezek a részek összeomlanak, és nem lehetséges a hibátlan nyomtatás."
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingCategory.qml:203
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:196
msgctxt "@label"
-msgid ""
-"Some hidden settings use values different from their normal calculated value.\n"
-"\n"
-"Click to make these settings visible."
-msgstr ""
-"Egyes beállítások eltérő értéken vannak a normál, kalkulált értékektől.\n"
-"\n"
-"Kattints, hogy ezek a beállítások láthatók legyenek."
+msgid "Gradual infill"
+msgstr "Fokozatos kitöltés"
-#: /home/trin/Gedeeld/Projects/Cura/resources/qml/Settings/SettingItem.qml:81
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedInfillDensitySelector.qml:235
+msgctxt "@label"
+msgid "Gradual infill will gradually increase the amount of infill towards the top."
+msgstr "A fokozatos kitöltés folyamatosan növeli a kitöltés mennyiségét, ahogy közeledik a tárgy teteje felé."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:29
+msgctxt "@label"
+msgid "Adhesion"
+msgstr "Letapadás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/PrintSetupSelector/Recommended/RecommendedAdhesionSelector.qml:75
+msgctxt "@label"
+msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards."
+msgstr "Engedélyezze a peremet, vagy az aláúsztatást. Ez létre fog hozni a test szélén illetve az alján egy olyan részt, ami segíti a letapadást, viszont nyomtatás után ezek könnyen eltávolíthatóak a testről."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SaveProjectMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:25
+msgctxt "@label:category menu label"
+msgid "Network enabled printers"
+msgstr "Hálózati nyomtatók"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/PrinterMenu.qml:42
+msgctxt "@label:category menu label"
+msgid "Local printers"
+msgstr "Helyi nyomtatók"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:13
+msgctxt "@label:category menu label"
+msgid "Material"
+msgstr "Alapanyag"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:54
+msgctxt "@label:category menu label"
+msgid "Favorites"
+msgstr "Kedvencek"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/MaterialMenu.qml:79
+msgctxt "@label:category menu label"
+msgid "Generic"
+msgstr "Generikus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:27
+msgctxt "@label"
+msgid "Print Selected Model With:"
+msgid_plural "Print Selected Models With:"
+msgstr[0] "Kiválasztott modell nyomtatása:"
+msgstr[1] "Kiválasztott modellek nyomtatása:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:116
+msgctxt "@title:window"
+msgid "Multiply Selected Model"
+msgid_plural "Multiply Selected Models"
+msgstr[0] "Kiválasztott modell sokszorozása"
+msgstr[1] "Kiválasztott modellek sokszorozása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ContextMenu.qml:141
+msgctxt "@label"
+msgid "Number of Copies"
+msgstr "Másolatok száma"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:41
+msgctxt "@title:menu menubar:file"
+msgid "&Save Project..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:74
+msgctxt "@title:menu menubar:file"
+msgid "&Export..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/FileMenu.qml:85
+msgctxt "@action:inmenu menubar:file"
+msgid "Export Selection..."
+msgstr "Kiválasztás exportálása..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/AutoConfiguration.qml:18
+msgctxt "@header"
+msgid "Configurations"
+msgstr "Konfigurációk"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:25
+msgctxt "@header"
+msgid "Custom"
+msgstr "Egyéni"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:61
+msgctxt "@label"
+msgid "Printer"
+msgstr "Nyomtató"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:213
+msgctxt "@label"
+msgid "Enabled"
+msgstr "Bekapcsolt"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:267
+msgctxt "@label"
+msgid "Material"
+msgstr "Alapanyag"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/CustomConfiguration.qml:407
+msgctxt "@label"
+msgid "Use glue for better adhesion with this material combination."
+msgstr "Használj ragasztót a jobb tapadás érdekében, ennél az alapanyag kombinációnál."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:102
+msgctxt "@tooltip"
+msgid "The configuration of this extruder is not allowed, and prohibits slicing."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:106
+msgctxt "@tooltip"
+msgid "There are no profiles matching the configuration of this extruder."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:253
+msgctxt "@label"
+msgid "Select configuration"
+msgstr "Konfiguráció kiválasztása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationMenu.qml:364
+msgctxt "@label"
+msgid "Configurations"
+msgstr "Konfigurációk"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:52
+msgctxt "@label"
+msgid "Loading available configurations from the printer..."
+msgstr "Az elérhető konfigurációk betöltése a nyomtatóról..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationListView.qml:53
+msgctxt "@label"
+msgid "The configurations are not available because the printer is disconnected."
+msgstr "A konfiguráció nem elérhető, mert nincs kapcsolat a a nyomtatóval."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:137
+msgctxt "@label"
+msgid "This configuration is not available because %1 is not recognized. Please visit %2 to download the correct material profile."
+msgstr "Ez a konfiguráció nem érhető el, mert a(z) %1 nem azonosítható. Kérjük, látogasson el a %2 webhelyre a megfelelő anyagprofil letöltéséhez."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ConfigurationMenu/ConfigurationItem.qml:138
+msgctxt "@label"
+msgid "Marketplace"
+msgstr "Piactér"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/OpenFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open File(s)..."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:15
+msgctxt "@title:menu menubar:settings"
+msgid "&Printer"
+msgstr "&Nyomtató"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:29
+msgctxt "@title:menu"
+msgid "&Material"
+msgstr "&Alapanyag"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:44
+msgctxt "@action:inmenu"
+msgid "Set as Active Extruder"
+msgstr "Beállítva aktív extruderként"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:50
+msgctxt "@action:inmenu"
+msgid "Enable Extruder"
+msgstr "Extruder engedélyezése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingsMenu.qml:57
+msgctxt "@action:inmenu"
+msgid "Disable Extruder"
+msgstr "Extruder letiltása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/RecentFilesMenu.qml:15
+msgctxt "@title:menu menubar:file"
+msgid "Open &Recent"
+msgstr "Legutóbbi fájlok"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:16
+msgctxt "@action:inmenu"
+msgid "Visible Settings"
+msgstr "Láthatósági beállítások"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:45
+msgctxt "@action:inmenu"
+msgid "Collapse All Categories"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:54
+msgctxt "@action:inmenu"
+msgid "Manage Setting Visibility..."
+msgstr "Beállítások láthatóságának kezelése..."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:19
+msgctxt "@action:inmenu menubar:view"
+msgid "&Camera position"
+msgstr "&Kamera helyzet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:45
+msgctxt "@action:inmenu menubar:view"
+msgid "Camera view"
+msgstr "Kamera nézet"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:48
+msgctxt "@action:inmenu menubar:view"
+msgid "Perspective"
+msgstr "Perspektívikus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:59
+msgctxt "@action:inmenu menubar:view"
+msgid "Orthographic"
+msgstr "Merőleges"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Menus/ViewMenu.qml:79
+msgctxt "@action:inmenu menubar:view"
+msgid "&Build plate"
+msgstr "&Tárgyasztal"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ViewsSelector.qml:50
+msgctxt "@label"
+msgid "View type"
+msgstr "Nézet típus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:112
+msgctxt "@label"
+msgid "Is printed as support."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:115
+msgctxt "@label"
+msgid "Other models overlapping with this model are modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:118
+msgctxt "@label"
+msgid "Infill overlapping with this model is modified."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:121
+msgctxt "@label"
+msgid "Overlaps with this model are not supported."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/ObjectItemButton.qml:128
+msgctxt "@label %1 is the number of settings it overrides."
+msgid "Overrides %1 setting."
+msgid_plural "Overrides %1 settings."
+msgstr[0] ""
+msgstr[1] ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:34
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:477
+msgctxt "@title:tab"
+msgid "Profiles"
+msgstr "Profilok"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:84
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:108
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:40
+msgctxt "@action:button"
+msgid "Activate"
+msgstr "Aktivál"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:104
+msgctxt "@label"
+msgid "Create"
+msgstr "Létrehozás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:121
+msgctxt "@label"
+msgid "Duplicate"
+msgstr "Másolás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:152
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/MachinesPage.qml:63
+msgctxt "@action:button"
+msgid "Rename"
+msgstr "Átnevezés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:167
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:171
+msgctxt "@action:button"
+msgid "Import"
+msgstr "Import"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:179
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:185
+msgctxt "@action:button"
+msgid "Export"
+msgstr "Export"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:202
+msgctxt "@title:window"
+msgid "Create Profile"
+msgstr "Profil készítés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:204
+msgctxt "@info"
+msgid "Please provide a name for this profile."
+msgstr "Adjon nevet ehhez a profilhoz."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:263
+msgctxt "@title:window"
+msgid "Duplicate Profile"
+msgstr "Profil másolása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:277
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:312
+msgctxt "@title:window"
+msgid "Confirm Remove"
+msgstr "Eltávolítás megerősítése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:278
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:315
+msgctxt "@label (%1 is object name)"
+msgid "Are you sure you wish to remove %1? This cannot be undone!"
+msgstr "Biztosan el akarod távolítani %1 -et? Ez nem vonható vissza!"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:294
+msgctxt "@title:window"
+msgid "Rename Profile"
+msgstr "Profil átnevezés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:307
+msgctxt "@title:window"
+msgid "Import Profile"
+msgstr "Profil importálás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:336
+msgctxt "@title:window"
+msgid "Export Profile"
+msgstr "Profil exportálás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:399
+msgctxt "@label %1 is printer name"
+msgid "Printer: %1"
+msgstr "Nyomtató: %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:557
+msgctxt "@action:button"
+msgid "Update profile with current settings/overrides"
+msgstr "Frissítse a profilt az aktuális beállításokkal/felülbírálásokkal"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:583
+msgctxt "@action:label"
+msgid "This profile uses the defaults specified by the printer, so it has no settings/overrides in the list below."
+msgstr "Ez a profil a nyomtató által megadott alapértelmezéseket használja, tehát az alábbi listában nincs egyetlen beállítás módosítás sem."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:591
+msgctxt "@action:label"
+msgid "Your current settings match the selected profile."
+msgstr "Az Ön aktuális beállításai megegyeznek a kiválasztott profillal."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/ProfilesPage.qml:609
+msgctxt "@title:tab"
+msgid "Global Settings"
+msgstr "Általános beállítások"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:17
+#: /home/clamboo/Desktop/Cura/resources/qml/Cura.qml:468
+msgctxt "@title:tab"
+msgid "General"
+msgstr "Általános"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:143
+msgctxt "@label"
+msgid "Interface"
+msgstr "Interfész"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:215
+msgctxt "@label"
+msgid "Currency:"
+msgstr "Pénznem:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:228
+msgctxt "@label"
+msgid "Theme:"
+msgstr "Téma:"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:273
+msgctxt "@label"
+msgid "You will need to restart the application for these changes to have effect."
+msgstr "A módosítások érvénybe lépéséhez újra kell indítania az alkalmazást."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:290
+msgctxt "@info:tooltip"
+msgid "Slice automatically when changing settings."
+msgstr "Automatikus újraszeletelés, ha a beállítások megváltoznak."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:298
+msgctxt "@option:check"
+msgid "Slice automatically"
+msgstr "Automatikus szeletelés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:312
+msgctxt "@label"
+msgid "Viewport behavior"
+msgstr "A nézetablak viselkedése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:320
+msgctxt "@info:tooltip"
+msgid "Highlight unsupported areas of the model in red. Without support these areas will not print properly."
+msgstr "Jelölje meg pirossal azokat a területeket, amiket szükséges alátámasztani.Ha ezeket a részeket nem támasztjuk alá, a nyomtatás nem lesz hibátlan."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:329
+msgctxt "@option:check"
+msgid "Display overhang"
+msgstr "Túlnyúlás kijelzése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:339
+msgctxt "@info:tooltip"
+msgid "Highlight missing or extraneous surfaces of the model using warning signs. The toolpaths will often be missing parts of the intended geometry."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:348
+msgctxt "@option:check"
+msgid "Display model errors"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:356
+msgctxt "@info:tooltip"
+msgid "Moves the camera so the model is in the center of the view when a model is selected"
+msgstr "A kamerát úgy mozgatja, hogy a modell kiválasztásakor, az a nézet középpontjában legyen"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:361
+msgctxt "@action:button"
+msgid "Center camera when item is selected"
+msgstr "Kamera középre, mikor az elem ki van választva"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:371
+msgctxt "@info:tooltip"
+msgid "Should the default zoom behavior of cura be inverted?"
+msgstr "Megfordítsuk-e az alapértelmezett Zoom viselkedését?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:376
+msgctxt "@action:button"
+msgid "Invert the direction of camera zoom."
+msgstr "Fordítsa meg a kamera zoom irányát."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Should zooming move in the direction of the mouse?"
+msgstr "A nagyítás az egér mozgatásának irányában mozogjon?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:392
+msgctxt "@info:tooltip"
+msgid "Zooming towards the mouse is not supported in the orthographic perspective."
+msgstr "Az egér felé történő nagyítás ortográfiai szempontból nem támogatott."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:397
+msgctxt "@action:button"
+msgid "Zoom toward mouse direction"
+msgstr "Nagyítás az egér mozgás irányában"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:423
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved so that they no longer intersect?"
+msgstr "Az alapsíkon lévő modelleket elmozgassuk úgy, hogy ne keresztezzék egymást?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:428
+msgctxt "@option:check"
+msgid "Ensure models are kept apart"
+msgstr "A modellek egymástól való távtartásának biztosítása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:437
+msgctxt "@info:tooltip"
+msgid "Should models on the platform be moved down to touch the build plate?"
+msgstr "A modelleket mozgatni kell lefelé, hogy érintsék a tárgyasztalt?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:442
+msgctxt "@option:check"
+msgid "Automatically drop models to the build plate"
+msgstr "Modellek automatikus tárgyasztalra illesztése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:454
+msgctxt "@info:tooltip"
+msgid "Show caution message in g-code reader."
+msgstr "Figyelmeztető üzenet megjelenítése g-kód olvasóban."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:463
+msgctxt "@option:check"
+msgid "Caution message in g-code reader"
+msgstr "Figyelmeztető üzenet a g-code olvasóban"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:471
+msgctxt "@info:tooltip"
+msgid "Should layer be forced into compatibility mode?"
+msgstr "Kényszerítsük a réteget kompatibilitási módba ?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:476
+msgctxt "@option:check"
+msgid "Force layer view compatibility mode (restart required)"
+msgstr "A rétegnézet kompatibilis módjának kényszerítése (újraindítás szükséges)"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:486
+msgctxt "@info:tooltip"
+msgid "Should Cura open at the location it was closed?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:491
+msgctxt "@option:check"
+msgid "Restore window position on start"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:501
+msgctxt "@info:tooltip"
+msgid "What type of camera rendering should be used?"
+msgstr "Milyen fípusú fényképezőgépet használunk?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:508
+msgctxt "@window:text"
+msgid "Camera rendering:"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:515
+msgid "Perspective"
+msgstr "Perspetívikus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:516
+msgid "Orthographic"
+msgstr "Merőleges"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:554
+msgctxt "@label"
+msgid "Opening and saving files"
+msgstr "Fájlok megnyitása és mentése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:561
+msgctxt "@info:tooltip"
+msgid "Should opening files from the desktop or external applications open in the same instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:566
+msgctxt "@option:check"
+msgid "Use a single instance of Cura"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:576
+msgctxt "@info:tooltip"
+msgid "Should the build plate be cleared before loading a new model in the single instance of Cura?"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:582
+msgctxt "@option:check"
+msgid "Clear buildplate before loading model into the single instance"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:592
+msgctxt "@info:tooltip"
+msgid "Should models be scaled to the build volume if they are too large?"
+msgstr "A modelleket átméretezzük a maximális építési méretre, ha azok túl nagyok?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:597
+msgctxt "@option:check"
+msgid "Scale large models"
+msgstr "Nagy modellek átméretezése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:607
+msgctxt "@info:tooltip"
+msgid "An model may appear extremely small if its unit is for example in meters rather than millimeters. Should these models be scaled up?"
+msgstr "Egy adott modell rendkívül kicsinek tűnhet, ha mértékegysége például méterben van, nem pedig milliméterben. Ezeket a modelleket átméretezzük?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:612
+msgctxt "@option:check"
+msgid "Scale extremely small models"
+msgstr "Extrém kicsi modellek átméretezése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:622
+msgctxt "@info:tooltip"
+msgid "Should models be selected after they are loaded?"
+msgstr "Betöltés után a modellek legyenek kiválasztva?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:627
+msgctxt "@option:check"
+msgid "Select models when loaded"
+msgstr "Modell kiválasztása betöltés után"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:637
+msgctxt "@info:tooltip"
+msgid "Should a prefix based on the printer name be added to the print job name automatically?"
+msgstr "A nyomtató nevét, mint előtagot, hozzáadjuk a nyomtatási feladat nevéhez?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:642
+msgctxt "@option:check"
+msgid "Add machine prefix to job name"
+msgstr "Gépnév előtagként a feladatnévben"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:652
+msgctxt "@info:tooltip"
+msgid "Should a summary be shown when saving a project file?"
+msgstr "Mutassuk az összegzést a projekt mentésekor?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:656
+msgctxt "@option:check"
+msgid "Show summary dialog when saving project"
+msgstr "Összegzés megjelenítése projekt mentésekor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:666
+msgctxt "@info:tooltip"
+msgid "Default behavior when opening a project file"
+msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:674
+msgctxt "@window:text"
+msgid "Default behavior when opening a project file: "
+msgstr "Alapértelmezett viselkedés a projektfájl megnyitásakor: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:688
+msgctxt "@option:openProject"
+msgid "Always ask me this"
+msgstr "Mindig kérdezz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:689
+msgctxt "@option:openProject"
+msgid "Always open as a project"
+msgstr "Projektként való megnyitás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:690
+msgctxt "@option:openProject"
+msgid "Always import models"
+msgstr "Importálja a modelleket"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:727
+msgctxt "@info:tooltip"
+msgid "When you have made changes to a profile and switched to a different one, a dialog will be shown asking whether you want to keep your modifications or not, or you can choose a default behaviour and never show that dialog again."
+msgstr "Ha módosított egy profilt, és váltott egy másikra, akkor megjelenik egy párbeszédpanel, amelyben megkérdezi, hogy meg kívánja-e tartani a módosításokat, vagy nem. Vagy választhat egy alapértelmezett viselkedést, és soha többé nem jeleníti meg ezt a párbeszédablakot."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:741
+msgctxt "@window:text"
+msgid "Default behavior for changed setting values when switching to a different profile: "
+msgstr "Alapértelmezett viselkedés a megváltozott beállítási értékeknél, ha másik profilra vált: "
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:756
+msgctxt "@option:discardOrKeep"
+msgid "Always discard changed settings"
+msgstr "Megváltozott beállítások elvetése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:757
+msgctxt "@option:discardOrKeep"
+msgid "Always transfer changed settings to new profile"
+msgstr "Megváltozott beállítások alkalmazása az új profilba"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:791
+msgctxt "@label"
+msgid "Privacy"
+msgstr "Magán"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:797
+msgctxt "@info:tooltip"
+msgid "Should anonymous data about your print be sent to Ultimaker? Note, no models, IP addresses or other personally identifiable information is sent or stored."
+msgstr "Elküldjük a nyomtatott adatokat név nélkül az Ultimaker-nek?Semmilyen személyes infromáció, IP cím vagy azonosító nem kerül elküldésre."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:802
+msgctxt "@option:check"
+msgid "Send (anonymous) print information"
+msgstr "Név nélküli információ küldés"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:811
+msgctxt "@action:button"
+msgid "More information"
+msgstr "Több információ"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:829
+msgctxt "@label"
+msgid "Updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:836
+msgctxt "@info:tooltip"
+msgid "Should Cura check for updates when the program is started?"
+msgstr "A Cura-nak ellenőriznie kell-e a frissítéseket a program indításakor?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:841
+msgctxt "@option:check"
+msgid "Check for updates on start"
+msgstr "Keressen frissítéseket az induláskor"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:852
+msgctxt "@info:tooltip"
+msgid "When checking for updates, only check for stable releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:857
+msgctxt "@option:radio"
+msgid "Stable releases only"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:868
+msgctxt "@info:tooltip"
+msgid "When checking for updates, check for both stable and for beta releases."
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:873
+msgctxt "@option:radio"
+msgid "Stable and Beta releases"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:884
+msgctxt "@info:tooltip"
+msgid "Should an automatic check for new plugins be done every time Cura is started? It is highly recommended that you do not disable this!"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/GeneralPage.qml:889
+msgctxt "@option:check"
+msgid "Get notifications for plugin updates"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:72
+msgctxt "@title"
+msgid "Information"
+msgstr "Információ"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:101
+msgctxt "@title:window"
+msgid "Confirm Diameter Change"
+msgstr "Új átmérő megerősítése"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:102
+msgctxt "@label (%1 is a number)"
+msgid "The new filament diameter is set to %1 mm, which is not compatible with the current extruder. Do you wish to continue?"
+msgstr "Az új nyomtatószál átmérő %1 mm -re lett beállítva. Ez nem kompatibilis a jelenlegi extruderrel. Biztos, hogy így folytatod?"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:128
+msgctxt "@label"
+msgid "Display Name"
+msgstr "Megjelenítendő név"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:148
+msgctxt "@label"
+msgid "Material Type"
+msgstr "Alapanyag típus"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:158
+msgctxt "@label"
+msgid "Color"
+msgstr "Szín"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:208
+msgctxt "@label"
+msgid "Properties"
+msgstr "Tulajdonságok"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:210
+msgctxt "@label"
+msgid "Density"
+msgstr "Sűrűség"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:225
+msgctxt "@label"
+msgid "Diameter"
+msgstr "Átmérő"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:259
+msgctxt "@label"
+msgid "Filament Cost"
+msgstr "Nyomtatószál költség"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:276
+msgctxt "@label"
+msgid "Filament weight"
+msgstr "Nyomtatószál súly"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:294
+msgctxt "@label"
+msgid "Filament length"
+msgstr "Nyomtatószál hossz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:303
+msgctxt "@label"
+msgid "Cost per Meter"
+msgstr "Költség / méter"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:317
+msgctxt "@label"
+msgid "This material is linked to %1 and shares some of its properties."
+msgstr "Ez az anyag kapcsolódik% 1 -hez és osztja néhány tulajdonságát."
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:324
+msgctxt "@label"
+msgid "Unlink Material"
+msgstr "Alapanyag leválasztása"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:335
+msgctxt "@label"
+msgid "Description"
+msgstr "Leírás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsView.qml:348
+msgctxt "@label"
+msgid "Adhesion Information"
+msgstr "Tapadási információ"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:126
+msgctxt "@action:button"
+msgid "Create"
+msgstr "Létrehoz"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:141
+msgctxt "@action:button"
+msgid "Duplicate"
+msgstr "Másolat"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:199
+msgctxt "@action:button Sending materials to printers"
+msgid "Sync with Printers"
+msgstr ""
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:248
+msgctxt "@action:label"
+msgid "Printer"
+msgstr "Nyomtató"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:329
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:337
+msgctxt "@title:window"
+msgid "Import Material"
+msgstr "Alapanyag importálás"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:338
+msgctxt "@info:status Don't translate the XML tags or !"
+msgid "Could not import material %1: %2"
+msgstr "Nem sikerült importálni az alapanyagot %1: %2"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:342
+msgctxt "@info:status Don't translate the XML tag !"
+msgid "Successfully imported material %1"
+msgstr "Sikeres alapanyag import %1"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:360
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:368
+msgctxt "@title:window"
+msgid "Export Material"
+msgstr "Alapanyag export"
+
+#: /home/clamboo/Desktop/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:372
+msgctxt "@info:status Don't translate the XML tags and !"
+msgid "Failed to export material to