mirror of
https://git.mirrors.martin98.com/https://github.com/Ultimaker/Cura
synced 2025-05-08 11:59:03 +08:00
Merge branch '3.6'
This commit is contained in:
commit
5cbe2da2b4
@ -48,7 +48,7 @@ UM.PointingRectangle {
|
||||
horizontalCenter: parent.horizontalCenter
|
||||
}
|
||||
|
||||
width: (maximumValue.toString().length + 1) * 10 * screenScaleFactor
|
||||
width: ((maximumValue + 1).toString().length + 1) * 10 * screenScaleFactor
|
||||
text: sliderLabelRoot.value + startFrom // the current handle value, add 1 because layers is an array
|
||||
horizontalAlignment: TextInput.AlignRight
|
||||
|
||||
|
@ -11,7 +11,7 @@ import UM 1.3 as UM
|
||||
Item {
|
||||
id: root;
|
||||
property var printJob: null;
|
||||
property var running: isRunning(printJob);
|
||||
property var started: isStarted(printJob);
|
||||
property var assigned: isAssigned(printJob);
|
||||
|
||||
Button {
|
||||
@ -34,7 +34,13 @@ Item {
|
||||
hoverEnabled: true;
|
||||
onClicked: parent.switchPopupState();
|
||||
text: "\u22EE"; //Unicode; Three stacked points.
|
||||
visible: printJob.state == "queued" || running ? true : false;
|
||||
visible: {
|
||||
if (!printJob) {
|
||||
return false;
|
||||
}
|
||||
var states = ["queued", "sent_to_printer", "pre_print", "printing", "pausing", "paused", "resuming"];
|
||||
return states.indexOf(printJob.state) !== -1;
|
||||
}
|
||||
width: 35 * screenScaleFactor; // TODO: Theme!
|
||||
}
|
||||
|
||||
@ -102,7 +108,12 @@ Item {
|
||||
width: parent.width;
|
||||
|
||||
PrintJobContextMenuItem {
|
||||
enabled: {
|
||||
onClicked: {
|
||||
sendToTopConfirmationDialog.visible = true;
|
||||
popup.close();
|
||||
}
|
||||
text: catalog.i18nc("@label", "Move to top");
|
||||
visible: {
|
||||
if (printJob && printJob.state == "queued" && !assigned) {
|
||||
if (OutputDevice && OutputDevice.queuedPrintJobs[0]) {
|
||||
return OutputDevice.queuedPrintJobs[0].key != printJob.key;
|
||||
@ -110,42 +121,75 @@ Item {
|
||||
}
|
||||
return false;
|
||||
}
|
||||
onClicked: {
|
||||
sendToTopConfirmationDialog.visible = true;
|
||||
popup.close();
|
||||
}
|
||||
text: catalog.i18nc("@label", "Move to top");
|
||||
}
|
||||
|
||||
PrintJobContextMenuItem {
|
||||
enabled: printJob && !running;
|
||||
onClicked: {
|
||||
deleteConfirmationDialog.visible = true;
|
||||
popup.close();
|
||||
}
|
||||
text: catalog.i18nc("@label", "Delete");
|
||||
visible: {
|
||||
if (!printJob) {
|
||||
return false;
|
||||
}
|
||||
var states = ["queued", "sent_to_printer"];
|
||||
return states.indexOf(printJob.state) !== -1;
|
||||
}
|
||||
}
|
||||
|
||||
PrintJobContextMenuItem {
|
||||
enabled: printJob && running;
|
||||
enabled: visible && !(printJob.state == "pausing" || printJob.state == "resuming");
|
||||
onClicked: {
|
||||
if (printJob.state == "paused") {
|
||||
printJob.setState("print");
|
||||
} else if(printJob.state == "printing") {
|
||||
printJob.setState("pause");
|
||||
popup.close();
|
||||
return;
|
||||
}
|
||||
if (printJob.state == "printing") {
|
||||
printJob.setState("pause");
|
||||
popup.close();
|
||||
return;
|
||||
}
|
||||
popup.close();
|
||||
}
|
||||
text: printJob && printJob.state == "paused" ? catalog.i18nc("@label", "Resume") : catalog.i18nc("@label", "Pause");
|
||||
text: {
|
||||
if (!printJob) {
|
||||
return "";
|
||||
}
|
||||
switch(printJob.state) {
|
||||
case "paused":
|
||||
return catalog.i18nc("@label", "Resume");
|
||||
case "pausing":
|
||||
return catalog.i18nc("@label", "Pausing...");
|
||||
case "resuming":
|
||||
return catalog.i18nc("@label", "Resuming...");
|
||||
default:
|
||||
catalog.i18nc("@label", "Pause");
|
||||
}
|
||||
}
|
||||
visible: {
|
||||
if (!printJob) {
|
||||
return false;
|
||||
}
|
||||
var states = ["printing", "pausing", "paused", "resuming"];
|
||||
return states.indexOf(printJob.state) !== -1;
|
||||
}
|
||||
}
|
||||
|
||||
PrintJobContextMenuItem {
|
||||
enabled: printJob && running;
|
||||
enabled: visible && printJob.state !== "aborting";
|
||||
onClicked: {
|
||||
abortConfirmationDialog.visible = true;
|
||||
popup.close();
|
||||
}
|
||||
text: catalog.i18nc("@label", "Abort");
|
||||
text: printJob.state == "aborting" ? catalog.i18nc("@label", "Aborting...") : catalog.i18nc("@label", "Abort");
|
||||
visible: {
|
||||
if (!printJob) {
|
||||
return false;
|
||||
}
|
||||
var states = ["pre_print", "printing", "pausing", "paused", "resuming"];
|
||||
return states.indexOf(printJob.state) !== -1;
|
||||
}
|
||||
}
|
||||
}
|
||||
enter: Transition {
|
||||
@ -205,11 +249,11 @@ Item {
|
||||
function switchPopupState() {
|
||||
popup.visible ? popup.close() : popup.open();
|
||||
}
|
||||
function isRunning(job) {
|
||||
function isStarted(job) {
|
||||
if (!job) {
|
||||
return false;
|
||||
}
|
||||
return ["paused", "printing", "pre_print"].indexOf(job.state) !== -1;
|
||||
return ["pre_print", "printing", "pausing", "paused", "resuming", "aborting"].indexOf(job.state) !== -1;
|
||||
}
|
||||
function isAssigned(job) {
|
||||
if (!job) {
|
||||
@ -217,4 +261,13 @@ Item {
|
||||
}
|
||||
return job.assignedPrinter ? true : false;
|
||||
}
|
||||
function getMenuLength() {
|
||||
var visible = 0;
|
||||
for (var i = 0; i < popupOptions.children.length; i++) {
|
||||
if (popupOptions.children[i].visible) {
|
||||
visible++;
|
||||
}
|
||||
}
|
||||
return visible;
|
||||
}
|
||||
}
|
||||
|
@ -12,13 +12,12 @@ Button {
|
||||
color: UM.Theme.getColor("monitor_context_menu_highlight");
|
||||
}
|
||||
contentItem: Label {
|
||||
color: UM.Theme.getColor("text");
|
||||
color: enabled ? UM.Theme.getColor("text") : UM.Theme.getColor("text_inactive");
|
||||
text: parent.text
|
||||
horizontalAlignment: Text.AlignLeft;
|
||||
verticalAlignment: Text.AlignVCenter;
|
||||
}
|
||||
height: 39 * screenScaleFactor; // TODO: Theme!
|
||||
height: visible ? 39 * screenScaleFactor : 0; // TODO: Theme!
|
||||
hoverEnabled: true;
|
||||
visible: enabled;
|
||||
width: parent.width;
|
||||
}
|
@ -49,7 +49,7 @@ msgstr "GCodeWriter unterstützt keinen Nicht-Textmodus."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Vor dem Exportieren bitte G-Code vorbereiten."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -64,11 +64,7 @@ msgid ""
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Find out how to ensure the best possible print quality and reliability.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">View print quality guide</a></p>"
|
||||
msgstr ""
|
||||
"<p>Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:</p>\n"
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.</p>\n"
|
||||
"<p><a href=“https://ultimaker.com/3D-model-assistant“>Leitfaden zu Druckqualität anzeigen</a></p>"
|
||||
msgstr "<p>Ein oder mehrere 3D-Modelle können möglicherweise aufgrund der Modellgröße und Materialkonfiguration nicht optimal gedruckt werden:</p>\n<p>{model_names}</p>\n<p>Erfahren Sie, wie Sie die bestmögliche Druckqualität und Zuverlässigkeit sicherstellen.</p>\n<p><a href=“https://ultimaker.com/3D-model-assistant“>Leitfaden zu Druckqualität anzeigen</a></p>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ChangeLogPlugin/ChangeLog.py:32
|
||||
msgctxt "@item:inmenu"
|
||||
@ -78,7 +74,7 @@ msgstr "Änderungsprotokoll anzeigen"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Firmware aktualisieren"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -822,7 +818,7 @@ msgstr "Vorgeschnittene Datei {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Login fehlgeschlagen"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +892,32 @@ msgstr "Import des Profils aus Datei <filename>{0}</filename> fehlgeschlagen: <m
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Kein benutzerdefiniertes Profil für das Importieren in Datei <filename>{0}</filename>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Import des Profils aus Datei <filename>{0}</filename> fehlgeschlagen:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Dieses Profil <filename>{0}</filename> enthält falsche Daten, Importieren nicht möglich."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "Die Maschine, die im Profil <filename>{0}</filename> ({1}) definiert wurde, entspricht nicht Ihrer derzeitigen Maschine ({2}). Importieren nicht möglich."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Import des Profils aus Datei <filename>{0}</filename> fehlgeschlagen:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1073,12 +1069,7 @@ msgid ""
|
||||
" <p>Backups can be found in the configuration folder.</p>\n"
|
||||
" <p>Please send us this Crash Report to fix the problem.</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Hoppla, bei Ultimaker Cura ist ein Problem aufgetreten.</p></b>\n"
|
||||
" <p>Beim Start ist ein nicht behebbarer Fehler aufgetreten. Er wurde möglicherweise durch einige falsche Konfigurationsdateien verursacht. Wir empfehlen ein Backup und Reset Ihrer Konfiguration.</p>\n"
|
||||
" <p>Backups sind im Konfigurationsordner abgelegt.</p>\n"
|
||||
" <p>Senden Sie uns diesen Absturzbericht bitte, um das Problem zu beheben.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Hoppla, bei Ultimaker Cura ist ein Problem aufgetreten.</p></b>\n <p>Beim Start ist ein nicht behebbarer Fehler aufgetreten. Er wurde möglicherweise durch einige falsche Konfigurationsdateien verursacht. Wir empfehlen ein Backup und Reset Ihrer Konfiguration.</p>\n <p>Backups sind im Konfigurationsordner abgelegt.</p>\n <p>Senden Sie uns diesen Absturzbericht bitte, um das Problem zu beheben.</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:102
|
||||
msgctxt "@action:button"
|
||||
@ -1111,10 +1102,7 @@ msgid ""
|
||||
"<p><b>A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem</p></b>\n"
|
||||
" <p>Please use the \"Send report\" button to post a bug report automatically to our servers</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Ein schwerer Fehler ist in Cura aufgetreten. Senden Sie uns diesen Absturzbericht, um das Problem zu beheben</p></b>\n"
|
||||
" <p>Verwenden Sie bitte die Schaltfläche „Bericht senden“, um den Fehlerbericht automatisch an unsere Server zu senden</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Ein schwerer Fehler ist in Cura aufgetreten. Senden Sie uns diesen Absturzbericht, um das Problem zu beheben</p></b>\n <p>Verwenden Sie bitte die Schaltfläche „Bericht senden“, um den Fehlerbericht automatisch an unsere Server zu senden</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:177
|
||||
msgctxt "@title:groupbox"
|
||||
@ -1408,7 +1396,7 @@ msgstr "Y-Versatz Düse"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Kühllüfter-Nr."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1500,7 @@ msgstr "Zurück"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Deinstallieren bestätigen"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1590,10 +1578,7 @@ msgid ""
|
||||
"This plugin contains a license.\n"
|
||||
"You need to accept this license to install this plugin.\n"
|
||||
"Do you agree with the terms below?"
|
||||
msgstr ""
|
||||
"Dieses Plugin enthält eine Lizenz.\n"
|
||||
"Sie müssen diese Lizenz akzeptieren, um das Plugin zu installieren.\n"
|
||||
"Stimmen Sie den nachfolgenden Bedingungen zu?"
|
||||
msgstr "Dieses Plugin enthält eine Lizenz.\nSie müssen diese Lizenz akzeptieren, um das Plugin zu installieren.\nStimmen Sie den nachfolgenden Bedingungen zu?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLicenseDialog.qml:54
|
||||
msgctxt "@action:button"
|
||||
@ -1655,7 +1640,7 @@ msgstr "Schließen"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Firmware aktualisieren"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1665,12 @@ msgstr "Benutzerdefinierte Firmware hochladen"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Firmware kann nicht aktualisiert werden, da keine Verbindung zum Drucker besteht."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Firmware kann nicht aktualisiert werden, da die Verbindung zum Drucker die Firmware-Aktualisierung nicht unterstützt."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1753,10 +1738,7 @@ 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.\n"
|
||||
"\n"
|
||||
"Select your printer from the list below:"
|
||||
msgstr ""
|
||||
"Um über das Netzwerk direkt auf Ihrem Drucker zu drucken, stellen Sie bitte sicher, dass der Drucker mit dem Netzwerkkabel verbunden ist oder verbinden Sie Ihren Drucker mit Ihrem WLAN-Netzwerk. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie dennoch ein USB-Laufwerk für die Übertragung von G-Code-Dateien auf Ihren Drucker verwenden.\n"
|
||||
"\n"
|
||||
"Wählen Sie Ihren Drucker aus der folgenden Liste:"
|
||||
msgstr "Um über das Netzwerk direkt auf Ihrem Drucker zu drucken, stellen Sie bitte sicher, dass der Drucker mit dem Netzwerkkabel verbunden ist oder verbinden Sie Ihren Drucker mit Ihrem WLAN-Netzwerk. Wenn Sie Cura nicht mit Ihrem Drucker verbinden, können Sie dennoch ein USB-Laufwerk für die Übertragung von G-Code-Dateien auf Ihren Drucker verwenden.\n\nWählen Sie Ihren Drucker aus der folgenden Liste:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:85
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:42
|
||||
@ -1920,62 +1902,62 @@ msgstr "Warten auf: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Konfigurationsänderung"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "Der zugewiesene Drucker %1 erfordert die folgende(n) Konfigurationsänderung(en):"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "Der Drucker %1 wurde zugewiesen, allerdings enthält der Auftrag eine unbekannte Materialkonfiguration."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Material %1 von %2 auf %3 wechseln."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "%3 als Material %1 laden (Dies kann nicht übergangen werden)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Print Core %1 von %2 auf %3 wechseln."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Druckplatte auf %1 wechseln (Dies kann nicht übergangen werden)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Überschreiben"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Das Starten eines Druckauftrags mit einer inkompatiblen Konfiguration kann Ihren 3D-Drucker beschädigen. Möchten Sie die Konfiguration wirklich überschreiben und %1 drucken?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Konfiguration überschreiben und Druck starten"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Glas"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Aluminium"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2664,9 +2646,7 @@ msgctxt "@text:window"
|
||||
msgid ""
|
||||
"You have customized some profile settings.\n"
|
||||
"Would you like to keep or discard those settings?"
|
||||
msgstr ""
|
||||
"Sie haben einige Profileinstellungen angepasst.\n"
|
||||
"Möchten Sie diese Einstellungen übernehmen oder verwerfen?"
|
||||
msgstr "Sie haben einige Profileinstellungen angepasst.\nMöchten Sie diese Einstellungen übernehmen oder verwerfen?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/DiscardOrKeepProfileChangesDialog.qml:110
|
||||
msgctxt "@title:column"
|
||||
@ -3368,9 +3348,7 @@ msgctxt "@info:credit"
|
||||
msgid ""
|
||||
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
|
||||
"Cura proudly uses the following open source projects:"
|
||||
msgstr ""
|
||||
"Cura wurde von Ultimaker B.V. in Zusammenarbeit mit der Community entwickelt.\n"
|
||||
"Cura verwendet mit Stolz die folgenden Open Source-Projekte:"
|
||||
msgstr "Cura wurde von Ultimaker B.V. in Zusammenarbeit mit der Community entwickelt.\nCura verwendet mit Stolz die folgenden Open Source-Projekte:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:132
|
||||
msgctxt "@label"
|
||||
@ -3435,17 +3413,17 @@ msgstr "Support-Bibliothek für die Handhabung von STL-Dateien"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Support-Bibliothek für die Handhabung von ebenen Objekten"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Support-Bibliothek für die Handhabung von dreieckigen Netzen"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Support-Bibliothek für die Analyse von komplexen Netzwerken"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3455,7 +3433,7 @@ msgstr "Support-Bibliothek für die Handhabung von 3MF-Dateien"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Support-Bibliothek für Datei-Metadaten und Streaming"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3503,10 +3481,7 @@ msgid ""
|
||||
"Some setting/override values are different from the values stored in the profile.\n"
|
||||
"\n"
|
||||
"Click to open the profile manager."
|
||||
msgstr ""
|
||||
"Einige Einstellungs-/Überschreibungswerte unterscheiden sich von den im Profil gespeicherten Werten.\n"
|
||||
"\n"
|
||||
"Klicken Sie, um den Profilmanager zu öffnen."
|
||||
msgstr "Einige Einstellungs-/Überschreibungswerte unterscheiden sich von den im Profil gespeicherten Werten.\n\nKlicken Sie, um den Profilmanager zu öffnen."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:200
|
||||
msgctxt "@label:textbox"
|
||||
@ -3560,10 +3535,7 @@ 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."
|
||||
msgstr "Einige ausgeblendete Einstellungen verwenden Werte, die von ihren normalen, berechneten Werten abweichen.\n\nKlicken Sie, um diese Einstellungen sichtbar zu machen."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:61
|
||||
msgctxt "@label Header for list of settings."
|
||||
@ -3591,10 +3563,7 @@ msgid ""
|
||||
"This setting has a value that is different from the profile.\n"
|
||||
"\n"
|
||||
"Click to restore the value of the profile."
|
||||
msgstr ""
|
||||
"Diese Einstellung hat einen vom Profil abweichenden Wert.\n"
|
||||
"\n"
|
||||
"Klicken Sie, um den Wert des Profils wiederherzustellen."
|
||||
msgstr "Diese Einstellung hat einen vom Profil abweichenden Wert.\n\nKlicken Sie, um den Wert des Profils wiederherzustellen."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:281
|
||||
msgctxt "@label"
|
||||
@ -3602,10 +3571,7 @@ msgid ""
|
||||
"This setting is normally calculated, but it currently has an absolute value set.\n"
|
||||
"\n"
|
||||
"Click to restore the calculated value."
|
||||
msgstr ""
|
||||
"Diese Einstellung wird normalerweise berechnet; aktuell ist jedoch ein Absolutwert eingestellt.\n"
|
||||
"\n"
|
||||
"Klicken Sie, um den berechneten Wert wiederherzustellen."
|
||||
msgstr "Diese Einstellung wird normalerweise berechnet; aktuell ist jedoch ein Absolutwert eingestellt.\n\nKlicken Sie, um den berechneten Wert wiederherzustellen."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:129
|
||||
msgctxt "@label"
|
||||
@ -3830,9 +3796,7 @@ msgctxt "@label:listbox"
|
||||
msgid ""
|
||||
"Print Setup disabled\n"
|
||||
"G-code files cannot be modified"
|
||||
msgstr ""
|
||||
"Druckeinrichtung deaktiviert\n"
|
||||
"G-Code-Dateien können nicht geändert werden"
|
||||
msgstr "Druckeinrichtung deaktiviert\nG-Code-Dateien können nicht geändert werden"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrepareSidebar.qml:340
|
||||
msgctxt "@label Hours and minutes"
|
||||
@ -4606,12 +4570,12 @@ msgstr "Änderungsprotokoll"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Ermöglicht Gerätemaßnahmen für die Aktualisierung der Firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Firmware-Aktualisierungsfunktion"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -169,12 +169,12 @@ msgstr "Die Z-Koordinate der Position, an der die Düse am Druckbeginn einzieht.
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Drucklüfter Extruder"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Die Anzahl der Drucklüfter für diesen Extruder. Nur vom Standardwert 0 ändern, wenn Sie für jeden Extruder einen anderen Drucklüfter verwenden."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -57,9 +57,7 @@ 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"
|
||||
"."
|
||||
msgstr "G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ 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"
|
||||
"."
|
||||
msgstr "G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1078,7 +1074,7 @@ msgstr "Polygone oben/unten verbinden"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Außenhaut-Pfade oben/unten verbinden, wenn sie nebeneinander laufen. Bei konzentrischen Mustern reduziert die Aktivierung dieser Einstellung die Durchlaufzeit erheblich. Da die Verbindungen jedoch auf halbem Weg über der Füllung erfolgen können, kann diese Funktion die Oberflächenqualität reduzieren."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1498,7 +1494,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."
|
||||
msgstr ""
|
||||
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."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1559,7 @@ msgstr "3D-Quer"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroid"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Fügen Sie zusätzliche Wände um den Füllbereich hinzu. Derartige Wände können zu einem verringerten Absacken der oberen/unteren Außenhautlinien beitragen, was bedeutet, dass Sie weniger Außenhautschichten oben/unten bei derselben Qualität von Kosten für zusätzliches Material benötigen.\n"
|
||||
" Diese Funktion ist verknüpfbar mit „Füllungspolygone verbinden“, um alle Füllungen mit einem einzigen Extrusionspfad zu verbinden, ohne dass hierzu Vorwärtsbewegungen oder Rückzüge erforderlich sind, sofern die richtige Konfiguration gewählt wurde."
|
||||
msgstr "Fügen Sie zusätzliche Wände um den Füllbereich hinzu. Derartige Wände können zu einem verringerten Absacken der oberen/unteren Außenhautlinien beitragen, was bedeutet, dass Sie weniger Außenhautschichten oben/unten bei derselben Qualität von Kosten für zusätzliches Material benötigen.\n Diese Funktion ist verknüpfbar mit „Füllungspolygone verbinden“, um alle Füllungen mit einem einzigen Extrusionspfad zu verbinden, ohne dass hierzu Vorwärtsbewegungen oder Rückzüge erforderlich sind, sofern die richtige Konfiguration gewählt wurde."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3272,32 +3266,32 @@ msgstr "Ausrichtung des Füllmusters für Unterstützung. Das Füllmuster für U
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Stütz-Brim aktivieren"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Erstellen Sie ein Brim in den Stützstruktur-Füllungsbereichen der ersten Schicht. Das Brim wird unterhalb der Stützstruktur und nicht drumherum gedruckt. Die Aktivierung dieser Einstellung erhöht die Haftung der Stützstruktur am Druckbett."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Breite der Brim-Stützstruktur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Die Breite des unter der Stützstruktur zu druckenden Brims. Ein größeres Brim erhöht die Haftung am Druckbett, jedoch erhöht sich hierdurch der Materialverbrauch."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Anzahl der Brim-Stützstrukturlinien"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Die Anzahl der Linien für die Brim-Stützstruktur. Eine größere Anzahl von Brim-Linien verbessert die Haftung am Druckbett, jedoch erhöht sich hierdurch der Materialverbrauch."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3834,9 +3828,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"Der horizontale Abstand zwischen dem Skirt und der ersten Schicht des Drucks.\n"
|
||||
"Es handelt sich dabei um den Mindestabstand. Ab diesem Abstand werden mehrere Skirt-Linien in äußerer Richtung angebracht."
|
||||
msgstr "Der horizontale Abstand zwischen dem Skirt und der ersten Schicht des Drucks.\nEs handelt sich dabei um den Mindestabstand. Ab diesem Abstand werden mehrere Skirt-Linien in äußerer Richtung angebracht."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -3871,12 +3863,12 @@ msgstr "Die Anzahl der Linien für das Brim-Element. Eine größere Anzahl von B
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Brim ersetzt die Stützstruktur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Erzwingen Sie den Druck des Brims um das Modell herum, auch wenn dieser Raum sonst durch die Stützstruktur belegt würde. Dies ersetzt einige der ersten Schichten der Stützstruktur durch Brim-Bereiche."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -5283,9 +5275,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Die Strecke einer Aufwärtsbewegung, die mit halber Geschwindigkeit extrudiert wird.\n"
|
||||
"Dies kann zu einer besseren Haftung an vorhergehenden Schichten führen, während gleichzeitig ein Überhitzen des Materials in diesen Schichten vermieden wird. Dies gilt nur für das Drucken mit Drahtstruktur."
|
||||
msgstr "Die Strecke einer Aufwärtsbewegung, die mit halber Geschwindigkeit extrudiert wird.\nDies kann zu einer besseren Haftung an vorhergehenden Schichten führen, während gleichzeitig ein Überhitzen des Materials in diesen Schichten vermieden wird. Dies gilt nur für das Drucken mit Drahtstruktur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
@ -49,7 +49,7 @@ msgstr "GCodeWriter no es compatible con el modo sin texto."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Prepare el Gcode antes de la exportación."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -64,11 +64,7 @@ msgid ""
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Find out how to ensure the best possible print quality and reliability.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">View print quality guide</a></p>"
|
||||
msgstr ""
|
||||
"<p>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:</p>\n"
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">Ver guía de impresión de calidad</a></p>"
|
||||
msgstr "<p>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:</p>\n<p>{model_names}</p>\n<p>Obtenga más información sobre cómo garantizar la mejor calidad y fiabilidad de impresión posible.</p>\n<p><a href=\"https://ultimaker.com/3D-model-assistant\">Ver guía de impresión de calidad</a></p>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ChangeLogPlugin/ChangeLog.py:32
|
||||
msgctxt "@item:inmenu"
|
||||
@ -78,7 +74,7 @@ msgstr "Mostrar registro de cambios"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Actualizar firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -822,7 +818,7 @@ msgstr "Archivo {0} presegmentado"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Fallo de inicio de sesión"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +892,32 @@ msgstr "Error al importar el perfil de <filename>{0}</filename>: <message>{1}</m
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "No hay ningún perfil personalizado para importar en el archivo <filename>{0}</filename>."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Error al importar el perfil de <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Este perfil <filename>{0}</filename> contiene datos incorrectos, no se han podido importar."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "El equipo definido en el perfil <filename>{0}</filename> ({1}) no coincide con el equipo actual ({2}), no se ha podido importar."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Error al importar el perfil de <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1073,12 +1069,7 @@ msgid ""
|
||||
" <p>Backups can be found in the configuration folder.</p>\n"
|
||||
" <p>Please send us this Crash Report to fix the problem.</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>¡Vaya! Ultimaker Cura ha encontrado un error.</p></b>\n"
|
||||
" <p>Hemos detectado un error irreversible durante el inicio, posiblemente como consecuencia de varios archivos de configuración erróneos. Le recomendamos que realice una copia de seguridad y que restablezca los ajustes.</p>\n"
|
||||
" <p>Las copias de seguridad se encuentran en la carpeta de configuración.</p>\n"
|
||||
" <p>Envíenos el informe de errores para que podamos solucionar el problema.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>¡Vaya! Ultimaker Cura ha encontrado un error.</p></b>\n <p>Hemos detectado un error irreversible durante el inicio, posiblemente como consecuencia de varios archivos de configuración erróneos. Le recomendamos que realice una copia de seguridad y que restablezca los ajustes.</p>\n <p>Las copias de seguridad se encuentran en la carpeta de configuración.</p>\n <p>Envíenos el informe de errores para que podamos solucionar el problema.</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:102
|
||||
msgctxt "@action:button"
|
||||
@ -1111,10 +1102,7 @@ msgid ""
|
||||
"<p><b>A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem</p></b>\n"
|
||||
" <p>Please use the \"Send report\" button to post a bug report automatically to our servers</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Se ha producido un error grave en Cura. Envíenos este informe de errores para que podamos solucionar el problema.</p></b>\n"
|
||||
" <p>Utilice el botón \"Enviar informe\" para publicar automáticamente el informe de errores en nuestros servidores.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Se ha producido un error grave en Cura. Envíenos este informe de errores para que podamos solucionar el problema.</p></b>\n <p>Utilice el botón \"Enviar informe\" para publicar automáticamente el informe de errores en nuestros servidores.</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:177
|
||||
msgctxt "@title:groupbox"
|
||||
@ -1408,7 +1396,7 @@ msgstr "Desplazamiento de la tobera sobre el eje Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Número de ventilador de enfriamiento"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1500,7 @@ msgstr "Atrás"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Confirmar desinstalación"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1590,10 +1578,7 @@ msgid ""
|
||||
"This plugin contains a license.\n"
|
||||
"You need to accept this license to install this plugin.\n"
|
||||
"Do you agree with the terms below?"
|
||||
msgstr ""
|
||||
"Este complemento incluye una licencia.\n"
|
||||
"Debe aceptar dicha licencia para instalar el complemento.\n"
|
||||
"¿Acepta las condiciones que aparecen a continuación?"
|
||||
msgstr "Este complemento incluye una licencia.\nDebe aceptar dicha licencia para instalar el complemento.\n¿Acepta las condiciones que aparecen a continuación?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLicenseDialog.qml:54
|
||||
msgctxt "@action:button"
|
||||
@ -1655,7 +1640,7 @@ msgstr "Cerrar"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Actualizar firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1665,12 @@ msgstr "Cargar firmware personalizado"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "No se puede actualizar el firmware porque no hay conexión con la impresora."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "No se puede actualizar el firmware porque la conexión con la impresora no permite actualizaciones de firmware."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1753,10 +1738,7 @@ 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.\n"
|
||||
"\n"
|
||||
"Select your printer from the list below:"
|
||||
msgstr ""
|
||||
"Para imprimir directamente en la impresora a través de la red, asegúrese de que esta está conectada a la red utilizando 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.\n"
|
||||
"\n"
|
||||
"Seleccione la impresora de la siguiente lista:"
|
||||
msgstr "Para imprimir directamente en la impresora a través de la red, asegúrese de que esta está conectada a la red utilizando 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.\n\nSeleccione la impresora de la siguiente lista:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:85
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:42
|
||||
@ -1920,62 +1902,62 @@ msgstr "Esperando: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Cambio de configuración"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "Es necesario modificar la siguiente configuración de la impresora asignada %1:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "Se ha asignado la impresora 1%, pero el trabajo tiene una configuración de material desconocido."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Cambiar material %1, de %2 a %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Cargar %3 como material %1 (no se puede anular)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Cambiar print core %1, de %2 a %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Cambiar la placa de impresión a %1 (no se puede anular)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Anular"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Iniciar un trabajo de impresión con una configuración no compatible puede causar daños en su impresora 3D. ¿Seguro de que desea sobrescribir la configuración e imprimir %1?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Sobrescribir la configuración e iniciar la impresión"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Vidrio"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Aluminio"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2664,9 +2646,7 @@ msgctxt "@text:window"
|
||||
msgid ""
|
||||
"You have customized some profile settings.\n"
|
||||
"Would you like to keep or discard those settings?"
|
||||
msgstr ""
|
||||
"Ha personalizado parte de los ajustes del perfil.\n"
|
||||
"¿Desea descartar los cambios o guardarlos?"
|
||||
msgstr "Ha personalizado parte de los ajustes del perfil.\n¿Desea descartar los cambios o guardarlos?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/DiscardOrKeepProfileChangesDialog.qml:110
|
||||
msgctxt "@title:column"
|
||||
@ -3368,9 +3348,7 @@ msgctxt "@info:credit"
|
||||
msgid ""
|
||||
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
|
||||
"Cura proudly uses the following open source projects:"
|
||||
msgstr ""
|
||||
"Ultimaker B.V. ha desarrollado Cura en cooperación con la comunidad.\n"
|
||||
"Cura se enorgullece de utilizar los siguientes proyectos de código abierto:"
|
||||
msgstr "Ultimaker B.V. ha desarrollado Cura en cooperación con la comunidad.\nCura se enorgullece de utilizar los siguientes proyectos de código abierto:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:132
|
||||
msgctxt "@label"
|
||||
@ -3435,17 +3413,17 @@ msgstr "Biblioteca de apoyo para gestionar archivos STL"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de compatibilidad para trabajar con objetos planos"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de compatibilidad para trabajar con mallas triangulares"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de compatibilidad para analizar redes complejas"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3455,7 +3433,7 @@ msgstr "Biblioteca de compatibilidad para trabajar con archivos 3MF"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de compatibilidad para metadatos y transmisión de archivos"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3503,10 +3481,7 @@ msgid ""
|
||||
"Some setting/override values are different from the values stored in the profile.\n"
|
||||
"\n"
|
||||
"Click to open the profile manager."
|
||||
msgstr ""
|
||||
"Algunos valores de los ajustes o sobrescrituras son distintos a los valores almacenados en el perfil.\n"
|
||||
"\n"
|
||||
"Haga clic para abrir el administrador de perfiles."
|
||||
msgstr "Algunos valores de los ajustes o sobrescrituras son distintos a los valores almacenados en el perfil.\n\nHaga clic para abrir el administrador de perfiles."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:200
|
||||
msgctxt "@label:textbox"
|
||||
@ -3560,10 +3535,7 @@ 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."
|
||||
msgstr "Algunos ajustes ocultos utilizan valores diferentes de los valores normales calculados.\n\nHaga clic para mostrar estos ajustes."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:61
|
||||
msgctxt "@label Header for list of settings."
|
||||
@ -3591,10 +3563,7 @@ msgid ""
|
||||
"This setting has a value that is different from the profile.\n"
|
||||
"\n"
|
||||
"Click to restore the value of the profile."
|
||||
msgstr ""
|
||||
"Este ajuste tiene un valor distinto del perfil.\n"
|
||||
"\n"
|
||||
"Haga clic para restaurar el valor del perfil."
|
||||
msgstr "Este ajuste tiene un valor distinto del perfil.\n\nHaga clic para restaurar el valor del perfil."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:281
|
||||
msgctxt "@label"
|
||||
@ -3602,10 +3571,7 @@ msgid ""
|
||||
"This setting is normally calculated, but it currently has an absolute value set.\n"
|
||||
"\n"
|
||||
"Click to restore the calculated value."
|
||||
msgstr ""
|
||||
"Este ajuste se calcula normalmente pero actualmente tiene un valor absoluto establecido.\n"
|
||||
"\n"
|
||||
"Haga clic para restaurar el valor calculado."
|
||||
msgstr "Este ajuste se calcula normalmente pero actualmente tiene un valor absoluto establecido.\n\nHaga clic para restaurar el valor calculado."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:129
|
||||
msgctxt "@label"
|
||||
@ -3830,9 +3796,7 @@ msgctxt "@label:listbox"
|
||||
msgid ""
|
||||
"Print Setup disabled\n"
|
||||
"G-code files cannot be modified"
|
||||
msgstr ""
|
||||
"Ajustes de impresión deshabilitados\n"
|
||||
"No se pueden modificar los archivos GCode"
|
||||
msgstr "Ajustes de impresión deshabilitados\nNo se pueden modificar los archivos GCode"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrepareSidebar.qml:340
|
||||
msgctxt "@label Hours and minutes"
|
||||
@ -4606,12 +4570,12 @@ msgstr "Registro de cambios"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Proporciona opciones a la máquina para actualizar el firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Actualizador de firmware"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -169,12 +169,12 @@ msgstr "Coordenada Z de la posición en la que la tobera queda preparada al inic
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Ventilador de refrigeración de impresión del extrusor"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Número del ventilador de refrigeración de impresión asociado al extrusor. Modifique el valor predeterminado 0 solo cuando disponga de un ventilador de refrigeración de impresión diferente para cada extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -57,9 +57,7 @@ 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"
|
||||
"."
|
||||
msgstr "Los comandos de GCode que se ejecutarán justo al inicio separados por - \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ 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"
|
||||
"."
|
||||
msgstr "Los comandos de GCode que se ejecutarán justo al final separados por -\n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1078,7 +1074,7 @@ msgstr "Conectar polígonos superiores/inferiores"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Conecta las trayectorias de forro superior/inferior cuando están próximas entre sí. Al habilitar este ajuste, en el patrón concéntrico se reduce considerablemente el tiempo de desplazamiento, pero las conexiones pueden producirse en mitad del relleno, con lo que bajaría la calidad de la superficie superior."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1498,7 +1494,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."
|
||||
msgstr ""
|
||||
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."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1559,7 @@ msgstr "Cruz 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Giroide"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Agregar paredes adicionales alrededor del área de relleno. Estas paredes pueden hacer que las líneas del forro superior/inferior se aflojen menos, lo que significa que necesitaría menos capas de forro superior/inferior para obtener la misma calidad utilizando algo más de material.\n"
|
||||
"Puede utilizar esta función junto a la de Conectar polígonos de relleno para conectar todo el relleno en una única trayectoria de extrusión sin necesidad de desplazamientos ni retracciones si se configura correctamente."
|
||||
msgstr "Agregar paredes adicionales alrededor del área de relleno. Estas paredes pueden hacer que las líneas del forro superior/inferior se aflojen menos, lo que significa que necesitaría menos capas de forro superior/inferior para obtener la misma calidad utilizando algo más de material.\nPuede utilizar esta función junto a la de Conectar polígonos de relleno para conectar todo el relleno en una única trayectoria de extrusión sin necesidad de desplazamientos ni retracciones si se configura correctamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3272,32 +3266,32 @@ msgstr "Orientación del patrón de relleno para soportes. El patrón de relleno
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Habilitar borde de soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Genera un borde dentro de las zonas de relleno del soporte de la primera capa. Este borde se imprime por debajo del soporte y no a su alrededor. Si habilita esta configuración aumentará la adhesión del soporte a la placa de impresión."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Ancho del borde de soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Anchura del borde de impresión que se imprime por debajo del soporte. Una anchura de soporte amplia mejora la adhesión a la placa de impresión, pero requieren material adicional."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Recuento de líneas del borde de soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Número de líneas utilizadas para el borde de soporte. Más líneas de borde mejoran la adhesión a la placa de impresión, pero requieren material adicional."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3834,9 +3828,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"La distancia horizontal entre la falda y la primera capa de la impresión.\n"
|
||||
"Se trata de la distancia mínima. Múltiples líneas de falda se extenderán hacia el exterior a partir de esta distancia."
|
||||
msgstr "La distancia horizontal entre la falda y la primera capa de la impresión.\nSe trata de la distancia mínima. Múltiples líneas de falda se extenderán hacia el exterior a partir de esta distancia."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -3871,12 +3863,12 @@ msgstr "Número de líneas utilizadas para un borde. Más líneas de borde mejor
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Sustituir soporte por borde"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Aplica la impresión de un borde alrededor del modelo, aunque en esa posición debiera estar el soporte. Sustituye algunas áreas de la primera capa de soporte por áreas de borde."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -5283,9 +5275,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Distancia de un movimiento ascendente que se extrude a media velocidad.\n"
|
||||
"Esto puede causar una mejor adherencia a las capas anteriores, aunque no calienta demasiado el material en esas capas. Solo se aplica a la impresión de alambre."
|
||||
msgstr "Distancia de un movimiento ascendente que se extrude a media velocidad.\nEsto puede causar una mejor adherencia a las capas anteriores, aunque no calienta demasiado el material en esas capas. Solo se aplica a la impresión de alambre."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
@ -49,7 +49,7 @@ msgstr "GCodeWriter ne prend pas en charge le mode non-texte."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Veuillez préparer le G-Code avant d'exporter."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -64,11 +64,7 @@ msgid ""
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Find out how to ensure the best possible print quality and reliability.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">View print quality guide</a></p>"
|
||||
msgstr ""
|
||||
"<p>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 :</p>\n"
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Découvrez comment optimiser la qualité et la fiabilité de l'impression.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant »>Consultez le guide de qualité d'impression</a></p>"
|
||||
msgstr "<p>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 :</p>\n<p>{model_names}</p>\n<p>Découvrez comment optimiser la qualité et la fiabilité de l'impression.</p>\n<p><a href=\"https://ultimaker.com/3D-model-assistant »>Consultez le guide de qualité d'impression</a></p>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ChangeLogPlugin/ChangeLog.py:32
|
||||
msgctxt "@item:inmenu"
|
||||
@ -78,7 +74,7 @@ msgstr "Afficher le récapitulatif des changements"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Mettre à jour le firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -822,7 +818,7 @@ msgstr "Fichier {0} prédécoupé"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "La connexion a échoué"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +892,32 @@ msgstr "Échec de l'importation du profil depuis le fichier <filename>{0}</filen
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Aucun profil personnalisé à importer dans le fichier <filename>{0}</filename>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Échec de l'importation du profil depuis le fichier <filename>{0}</filename> :"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Le profil <filename>{0}</filename> contient des données incorrectes ; échec de l'importation."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "La machine définie dans le profil <filename>{0}</filename> ({1}) ne correspond pas à votre machine actuelle ({2}) ; échec de l'importation."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Échec de l'importation du profil depuis le fichier <filename>{0}</filename> :"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1073,12 +1069,7 @@ msgid ""
|
||||
" <p>Backups can be found in the configuration folder.</p>\n"
|
||||
" <p>Please send us this Crash Report to fix the problem.</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Oups, un problème est survenu dans Ultimaker Cura.</p></b>\n"
|
||||
" <p>Une erreur irrécupérable est survenue lors du démarrage. Elle peut avoir été causée par des fichiers de configuration incorrects. Nous vous suggérons de sauvegarder et de réinitialiser votre configuration.</p>\n"
|
||||
" <p>Les sauvegardes se trouvent dans le dossier de configuration.</p>\n"
|
||||
" <p>Veuillez nous envoyer ce rapport d'incident pour que nous puissions résoudre le problème.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Oups, un problème est survenu dans Ultimaker Cura.</p></b>\n <p>Une erreur irrécupérable est survenue lors du démarrage. Elle peut avoir été causée par des fichiers de configuration incorrects. Nous vous suggérons de sauvegarder et de réinitialiser votre configuration.</p>\n <p>Les sauvegardes se trouvent dans le dossier de configuration.</p>\n <p>Veuillez nous envoyer ce rapport d'incident pour que nous puissions résoudre le problème.</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:102
|
||||
msgctxt "@action:button"
|
||||
@ -1111,10 +1102,7 @@ msgid ""
|
||||
"<p><b>A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem</p></b>\n"
|
||||
" <p>Please use the \"Send report\" button to post a bug report automatically to our servers</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Une erreur fatale est survenue dans Cura. Veuillez nous envoyer ce rapport d'incident pour résoudre le problème</p></b>\n"
|
||||
" <p>Veuillez utiliser le bouton « Envoyer rapport » pour publier automatiquement un rapport d'erreur sur nos serveurs</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Une erreur fatale est survenue dans Cura. Veuillez nous envoyer ce rapport d'incident pour résoudre le problème</p></b>\n <p>Veuillez utiliser le bouton « Envoyer rapport » pour publier automatiquement un rapport d'erreur sur nos serveurs</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:177
|
||||
msgctxt "@title:groupbox"
|
||||
@ -1408,7 +1396,7 @@ msgstr "Décalage buse Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Numéro du ventilateur de refroidissement"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1500,7 @@ msgstr "Précédent"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Confirmer la désinstallation"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1590,10 +1578,7 @@ msgid ""
|
||||
"This plugin contains a license.\n"
|
||||
"You need to accept this license to install this plugin.\n"
|
||||
"Do you agree with the terms below?"
|
||||
msgstr ""
|
||||
"Ce plug-in contient une licence.\n"
|
||||
"Vous devez approuver cette licence pour installer ce plug-in.\n"
|
||||
"Acceptez-vous les clauses ci-dessous ?"
|
||||
msgstr "Ce plug-in contient une licence.\nVous devez approuver cette licence pour installer ce plug-in.\nAcceptez-vous les clauses ci-dessous ?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLicenseDialog.qml:54
|
||||
msgctxt "@action:button"
|
||||
@ -1655,7 +1640,7 @@ msgstr "Fermer"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Mettre à jour le firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1665,12 @@ msgstr "Charger le firmware personnalisé"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Impossible de se connecter à l'imprimante ; échec de la mise à jour du firmware."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Échec de la mise à jour du firmware, car cette fonctionnalité n'est pas prise en charge par la connexion avec l'imprimante."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1753,10 +1738,7 @@ 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.\n"
|
||||
"\n"
|
||||
"Select your printer from the list below:"
|
||||
msgstr ""
|
||||
"Pour imprimer directement sur votre imprimante sur le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble réseau 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.\n"
|
||||
"\n"
|
||||
"Sélectionnez votre imprimante dans la liste ci-dessous :"
|
||||
msgstr "Pour imprimer directement sur votre imprimante sur le réseau, assurez-vous que votre imprimante est connectée au réseau via un câble réseau 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.\n\nSélectionnez votre imprimante dans la liste ci-dessous :"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:85
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:42
|
||||
@ -1920,62 +1902,62 @@ msgstr "En attente : "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Modification des configurations"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "L'imprimante assignée, %1, nécessite d'apporter la ou les modifications suivantes à la configuration :"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "L'imprimante %1 est assignée, mais le projet contient une configuration matérielle inconnue."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Changer le matériau %1 de %2 à %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Charger %3 comme matériau %1 (Ceci ne peut pas être remplacé)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Changer le print core %1 de %2 à %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Changer le plateau en %1 (Ceci ne peut pas être remplacé)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Remplacer"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Le fait de démarrer un travail d'impression avec une configuration incompatible peut endommager votre imprimante 3D. Êtes-vous sûr de vouloir remplacer la configuration et imprimer %1 ?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Remplacer la configuration et lancer l'impression"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Verre"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Aluminium"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2664,9 +2646,7 @@ msgctxt "@text:window"
|
||||
msgid ""
|
||||
"You have customized some profile settings.\n"
|
||||
"Would you like to keep or discard those settings?"
|
||||
msgstr ""
|
||||
"Vous avez personnalisé certains paramètres du profil.\n"
|
||||
"Souhaitez-vous conserver ces changements, ou les annuler ?"
|
||||
msgstr "Vous avez personnalisé certains paramètres du profil.\nSouhaitez-vous conserver ces changements, ou les annuler ?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/DiscardOrKeepProfileChangesDialog.qml:110
|
||||
msgctxt "@title:column"
|
||||
@ -3368,9 +3348,7 @@ msgctxt "@info:credit"
|
||||
msgid ""
|
||||
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
|
||||
"Cura proudly uses the following open source projects:"
|
||||
msgstr ""
|
||||
"Cura a été développé par Ultimaker B.V. en coopération avec la communauté Ultimaker.\n"
|
||||
"Cura est fier d'utiliser les projets open source suivants :"
|
||||
msgstr "Cura a été développé par Ultimaker B.V. en coopération avec la communauté Ultimaker.\nCura est fier d'utiliser les projets open source suivants :"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:132
|
||||
msgctxt "@label"
|
||||
@ -3435,17 +3413,17 @@ msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers STL"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Prise en charge de la bibliothèque pour le traitement des objets planaires"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Prise en charge de la bibliothèque pour le traitement des mailles triangulaires"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Prise en charge de la bibliothèque pour l'analyse de réseaux complexes"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3455,7 +3433,7 @@ msgstr "Prise en charge de la bibliothèque pour le traitement des fichiers 3MF"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Prise en charge de la bibliothèque pour les métadonnées et le streaming de fichiers"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3503,10 +3481,7 @@ msgid ""
|
||||
"Some setting/override values are different from the values stored in the profile.\n"
|
||||
"\n"
|
||||
"Click to open the profile manager."
|
||||
msgstr ""
|
||||
"Certaines valeurs de paramètre / forçage sont différentes des valeurs enregistrées dans le profil. \n"
|
||||
"\n"
|
||||
"Cliquez pour ouvrir le gestionnaire de profils."
|
||||
msgstr "Certaines valeurs de paramètre / forçage sont différentes des valeurs enregistrées dans le profil. \n\nCliquez pour ouvrir le gestionnaire de profils."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:200
|
||||
msgctxt "@label:textbox"
|
||||
@ -3560,10 +3535,7 @@ 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."
|
||||
msgstr "Certains paramètres masqués utilisent des valeurs différentes de leur valeur normalement calculée.\n\nCliquez pour rendre ces paramètres visibles."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:61
|
||||
msgctxt "@label Header for list of settings."
|
||||
@ -3591,10 +3563,7 @@ msgid ""
|
||||
"This setting has a value that is different from the profile.\n"
|
||||
"\n"
|
||||
"Click to restore the value of the profile."
|
||||
msgstr ""
|
||||
"Ce paramètre possède une valeur qui est différente du profil.\n"
|
||||
"\n"
|
||||
"Cliquez pour restaurer la valeur du profil."
|
||||
msgstr "Ce paramètre possède une valeur qui est différente du profil.\n\nCliquez pour restaurer la valeur du profil."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:281
|
||||
msgctxt "@label"
|
||||
@ -3602,10 +3571,7 @@ msgid ""
|
||||
"This setting is normally calculated, but it currently has an absolute value set.\n"
|
||||
"\n"
|
||||
"Click to restore the calculated value."
|
||||
msgstr ""
|
||||
"Ce paramètre est normalement calculé mais il possède actuellement une valeur absolue définie.\n"
|
||||
"\n"
|
||||
"Cliquez pour restaurer la valeur calculée."
|
||||
msgstr "Ce paramètre est normalement calculé mais il possède actuellement une valeur absolue définie.\n\nCliquez pour restaurer la valeur calculée."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:129
|
||||
msgctxt "@label"
|
||||
@ -3830,9 +3796,7 @@ msgctxt "@label:listbox"
|
||||
msgid ""
|
||||
"Print Setup disabled\n"
|
||||
"G-code files cannot be modified"
|
||||
msgstr ""
|
||||
"Configuration de l'impression désactivée\n"
|
||||
"Les fichiers G-Code ne peuvent pas être modifiés"
|
||||
msgstr "Configuration de l'impression désactivée\nLes fichiers G-Code ne peuvent pas être modifiés"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrepareSidebar.qml:340
|
||||
msgctxt "@label Hours and minutes"
|
||||
@ -4606,12 +4570,12 @@ msgstr "Récapitulatif des changements"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Fournit à une machine des actions permettant la mise à jour du firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Programme de mise à jour du firmware"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -169,12 +169,12 @@ msgstr "Les coordonnées Z de la position à laquelle la buse s'amorce au début
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Ventilateur de refroidissement d'impression de l'extrudeuse"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Numéro du ventilateur de refroidissement d'impression associé à cette extrudeuse. Ne modifiez cette valeur par rapport à la valeur par défaut 0 que si vous utilisez un ventilateur de refroidissement d'impression différent pour chaque extrudeuse."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -57,9 +57,7 @@ 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"
|
||||
"."
|
||||
msgstr "Commandes G-Code à exécuter au tout début, séparées par \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ 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"
|
||||
"."
|
||||
msgstr "Commandes G-Code à exécuter tout à la fin, séparées par \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1078,7 +1074,7 @@ msgstr "Relier les polygones supérieurs / inférieurs"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Relier les voies de couche extérieure supérieures / inférieures lorsqu'elles sont côte à côte. Pour le motif concentrique, ce paramètre réduit considérablement le temps de parcours, mais comme les liens peuvent se trouver à mi-chemin sur le remplissage, cette fonctionnalité peut réduire la qualité de la surface supérieure."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1498,7 +1494,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."
|
||||
msgstr ""
|
||||
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."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1559,7 @@ msgstr "Entrecroisé 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroïde"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Ajoutez des parois supplémentaires autour de la zone de remplissage. De telles parois peuvent réduire l'affaissement des lignes de couche extérieure supérieure / inférieure, réduisant le nombre de couches extérieures supérieures / inférieures nécessaires pour obtenir la même qualité, au prix d'un peu de matériau supplémentaire.\n"
|
||||
"Configurée correctement, cette fonctionnalité peut être combinée avec « Relier les polygones de remplissage » pour relier tous les remplissages en un seul mouvement d'extrusion sans avoir besoin de déplacements ou de rétractions."
|
||||
msgstr "Ajoutez des parois supplémentaires autour de la zone de remplissage. De telles parois peuvent réduire l'affaissement des lignes de couche extérieure supérieure / inférieure, réduisant le nombre de couches extérieures supérieures / inférieures nécessaires pour obtenir la même qualité, au prix d'un peu de matériau supplémentaire.\nConfigurée correctement, cette fonctionnalité peut être combinée avec « Relier les polygones de remplissage » pour relier tous les remplissages en un seul mouvement d'extrusion sans avoir besoin de déplacements ou de rétractions."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3272,32 +3266,32 @@ msgstr "Orientation du motif de remplissage pour les supports. Le motif de rempl
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Activer la bordure du support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Générer un bord à l'intérieur des zones de remplissage du support de la première couche. Cette bordure est imprimée sous le support et non autour de celui-ci, ce qui augmente l'adhérence du support au plateau."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Largeur de la bordure du support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Largeur de la bordure à imprimer sous le support. Une plus grande bordure améliore l'adhérence au plateau, mais demande un peu de matériau supplémentaire."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Nombre de lignes de la bordure du support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Nombre de lignes utilisées pour la bordure du support. L'augmentation du nombre de lignes de bordure améliore l'adhérence au plateau, mais demande un peu de matériau supplémentaire."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3834,9 +3828,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"La distance horizontale entre la jupe et la première couche de l’impression.\n"
|
||||
"Il s’agit de la distance minimale séparant la jupe de l’objet. Si la jupe a d’autres lignes, celles-ci s’étendront vers l’extérieur."
|
||||
msgstr "La distance horizontale entre la jupe et la première couche de l’impression.\nIl s’agit de la distance minimale séparant la jupe de l’objet. Si la jupe a d’autres lignes, celles-ci s’étendront vers l’extérieur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -3871,12 +3863,12 @@ msgstr "Le nombre de lignes utilisées pour une bordure. Un plus grand nombre de
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "La bordure remplace le support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Appliquer la bordure à imprimer autour du modèle même si cet espace aurait autrement dû être occupé par le support, en remplaçant certaines régions de la première couche de support par des régions de la bordure."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -5283,9 +5275,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Distance d’un déplacement ascendant qui est extrudé à mi-vitesse.\n"
|
||||
"Cela peut permettre une meilleure adhérence aux couches précédentes sans surchauffer le matériau dans ces couches. Uniquement applicable à l'impression filaire."
|
||||
msgstr "Distance d’un déplacement ascendant qui est extrudé à mi-vitesse.\nCela peut permettre une meilleure adhérence aux couches précédentes sans surchauffer le matériau dans ces couches. Uniquement applicable à l'impression filaire."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
@ -49,7 +49,7 @@ msgstr "GCodeWriter non supporta la modalità non di testo."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Preparare il codice G prima dell’esportazione."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -64,11 +64,7 @@ msgid ""
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Find out how to ensure the best possible print quality and reliability.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">View print quality guide</a></p>"
|
||||
msgstr ""
|
||||
"<p>La stampa di uno o più modelli 3D può non avvenire in modo ottimale a causa della dimensioni modello e della configurazione materiale:</p>\n"
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Scopri come garantire la migliore qualità ed affidabilità di stampa.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">Visualizza la guida alla qualità di stampa</a></p>"
|
||||
msgstr "<p>La stampa di uno o più modelli 3D può non avvenire in modo ottimale a causa della dimensioni modello e della configurazione materiale:</p>\n<p>{model_names}</p>\n<p>Scopri come garantire la migliore qualità ed affidabilità di stampa.</p>\n<p><a href=\"https://ultimaker.com/3D-model-assistant\">Visualizza la guida alla qualità di stampa</a></p>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ChangeLogPlugin/ChangeLog.py:32
|
||||
msgctxt "@item:inmenu"
|
||||
@ -78,7 +74,7 @@ msgstr "Visualizza registro modifiche"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Aggiornamento firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -822,7 +818,7 @@ msgstr "File pre-sezionato {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Login non riuscito"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +892,32 @@ msgstr "Impossibile importare il profilo da <filename>{0}</filename>: <message>{
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Nessun profilo personalizzato da importare nel file <filename>{0}</filename>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Impossibile importare il profilo da <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Questo profilo <filename>{0}</filename> contiene dati errati, impossibile importarlo."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "La macchina definita nel profilo <filename>{0}</filename> ({1}) non corrisponde alla macchina corrente ({2}), impossibile importarla."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Impossibile importare il profilo da <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1073,12 +1069,7 @@ msgid ""
|
||||
" <p>Backups can be found in the configuration folder.</p>\n"
|
||||
" <p>Please send us this Crash Report to fix the problem.</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Oops, Ultimaker Cura ha rilevato qualcosa che non sembra corretto.</p></b>\n"
|
||||
" <p>Abbiamo riscontrato un errore irrecuperabile durante l’avvio. È stato probabilmente causato da alcuni file di configurazione errati. Suggeriamo di effettuare il backup e ripristinare la configurazione.</p>\n"
|
||||
" <p>I backup sono contenuti nella cartella configurazione.</p>\n"
|
||||
" <p>Si prega di inviare questo Rapporto su crash per correggere il problema.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Oops, Ultimaker Cura ha rilevato qualcosa che non sembra corretto.</p></b>\n <p>Abbiamo riscontrato un errore irrecuperabile durante l’avvio. È stato probabilmente causato da alcuni file di configurazione errati. Suggeriamo di effettuare il backup e ripristinare la configurazione.</p>\n <p>I backup sono contenuti nella cartella configurazione.</p>\n <p>Si prega di inviare questo Rapporto su crash per correggere il problema.</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:102
|
||||
msgctxt "@action:button"
|
||||
@ -1111,10 +1102,7 @@ msgid ""
|
||||
"<p><b>A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem</p></b>\n"
|
||||
" <p>Please use the \"Send report\" button to post a bug report automatically to our servers</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Si è verificato un errore fatale in Cura. Si prega di inviare questo Rapporto su crash per correggere il problema</p></b>\n"
|
||||
" <p>Usare il pulsante “Invia report\" per inviare automaticamente una segnalazione errore ai nostri server</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Si è verificato un errore fatale in Cura. Si prega di inviare questo Rapporto su crash per correggere il problema</p></b>\n <p>Usare il pulsante “Invia report\" per inviare automaticamente una segnalazione errore ai nostri server</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:177
|
||||
msgctxt "@title:groupbox"
|
||||
@ -1408,7 +1396,7 @@ msgstr "Scostamento Y ugello"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Numero ventola di raffreddamento"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1500,7 @@ msgstr "Indietro"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Conferma disinstalla"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1590,10 +1578,7 @@ msgid ""
|
||||
"This plugin contains a license.\n"
|
||||
"You need to accept this license to install this plugin.\n"
|
||||
"Do you agree with the terms below?"
|
||||
msgstr ""
|
||||
"Questo plugin contiene una licenza.\n"
|
||||
"È necessario accettare questa licenza per poter installare il plugin.\n"
|
||||
"Accetti i termini sotto riportati?"
|
||||
msgstr "Questo plugin contiene una licenza.\nÈ necessario accettare questa licenza per poter installare il plugin.\nAccetti i termini sotto riportati?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLicenseDialog.qml:54
|
||||
msgctxt "@action:button"
|
||||
@ -1655,7 +1640,7 @@ msgstr "Chiudi"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Aggiornamento firmware"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1665,12 @@ msgstr "Carica il firmware personalizzato"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Impossibile aggiornare il firmware: nessun collegamento con la stampante."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Impossibile aggiornare il firmware: il collegamento con la stampante non supporta l’aggiornamento del firmware."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1753,10 +1738,7 @@ 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.\n"
|
||||
"\n"
|
||||
"Select your printer from the list below:"
|
||||
msgstr ""
|
||||
"Per stampare direttamente sulla stampante in rete, verificare che la stampante desiderata sia collegata alla rete mediante un cavo di rete o mediante collegamento alla rete WIFI. Se si collega Cura alla stampante, è comunque possibile utilizzare una chiavetta USB per trasferire i file codice G alla stampante.\n"
|
||||
"\n"
|
||||
"Selezionare la stampante dall’elenco seguente:"
|
||||
msgstr "Per stampare direttamente sulla stampante in rete, verificare che la stampante desiderata sia collegata alla rete mediante un cavo di rete o mediante collegamento alla rete WIFI. Se si collega Cura alla stampante, è comunque possibile utilizzare una chiavetta USB per trasferire i file codice G alla stampante.\n\nSelezionare la stampante dall’elenco seguente:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:85
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:42
|
||||
@ -1920,62 +1902,62 @@ msgstr "In attesa: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Modifica configurazione"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "La stampante assegnata, %1, richiede le seguenti modifiche di configurazione:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "La stampante %1 è assegnata, ma il processo contiene una configurazione materiale sconosciuta."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Cambia materiale %1 da %2 a %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Caricare %3 come materiale %1 (Operazione non annullabile)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Cambia print core %1 da %2 a %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Cambia piano di stampa a %1 (Operazione non annullabile)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Override"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "L’avvio di un processo di stampa con una configurazione non compatibile potrebbe danneggiare la stampante 3D. Sei sicuro di voler annullare la configurazione e stampare %1?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Annullare la configurazione e avviare la stampa"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Vetro"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Alluminio"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2664,9 +2646,7 @@ msgctxt "@text:window"
|
||||
msgid ""
|
||||
"You have customized some profile settings.\n"
|
||||
"Would you like to keep or discard those settings?"
|
||||
msgstr ""
|
||||
"Sono state personalizzate alcune impostazioni del profilo.\n"
|
||||
"Mantenere o eliminare tali impostazioni?"
|
||||
msgstr "Sono state personalizzate alcune impostazioni del profilo.\nMantenere o eliminare tali impostazioni?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/DiscardOrKeepProfileChangesDialog.qml:110
|
||||
msgctxt "@title:column"
|
||||
@ -3368,9 +3348,7 @@ msgctxt "@info:credit"
|
||||
msgid ""
|
||||
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
|
||||
"Cura proudly uses the following open source projects:"
|
||||
msgstr ""
|
||||
"Cura è stato sviluppato da Ultimaker B.V. in cooperazione con la comunità.\n"
|
||||
"Cura è orgogliosa di utilizzare i seguenti progetti open source:"
|
||||
msgstr "Cura è stato sviluppato da Ultimaker B.V. in cooperazione con la comunità.\nCura è orgogliosa di utilizzare i seguenti progetti open source:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:132
|
||||
msgctxt "@label"
|
||||
@ -3435,17 +3413,17 @@ msgstr "Libreria di supporto per gestione file STL"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Libreria di supporto per gestione oggetti planari"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Libreria di supporto per gestione maglie triangolari"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Libreria di supporto per l’analisi di reti complesse"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3455,7 +3433,7 @@ msgstr "Libreria di supporto per gestione file 3MF"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Libreria di supporto per metadati file e streaming"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3503,10 +3481,7 @@ msgid ""
|
||||
"Some setting/override values are different from the values stored in the profile.\n"
|
||||
"\n"
|
||||
"Click to open the profile manager."
|
||||
msgstr ""
|
||||
"Alcuni valori di impostazione/esclusione sono diversi dai valori memorizzati nel profilo.\n"
|
||||
"\n"
|
||||
"Fare clic per aprire la gestione profili."
|
||||
msgstr "Alcuni valori di impostazione/esclusione sono diversi dai valori memorizzati nel profilo.\n\nFare clic per aprire la gestione profili."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:200
|
||||
msgctxt "@label:textbox"
|
||||
@ -3560,10 +3535,7 @@ msgid ""
|
||||
"Some hidden settings use values different from their normal calculated value.\n"
|
||||
"\n"
|
||||
"Click to make these settings visible."
|
||||
msgstr ""
|
||||
"Alcune impostazioni nascoste utilizzano valori diversi dal proprio valore normale calcolato.\n"
|
||||
"\n"
|
||||
"Fare clic per rendere visibili queste impostazioni."
|
||||
msgstr "Alcune impostazioni nascoste utilizzano valori diversi dal proprio valore normale calcolato.\n\nFare clic per rendere visibili queste impostazioni."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:61
|
||||
msgctxt "@label Header for list of settings."
|
||||
@ -3591,10 +3563,7 @@ msgid ""
|
||||
"This setting has a value that is different from the profile.\n"
|
||||
"\n"
|
||||
"Click to restore the value of the profile."
|
||||
msgstr ""
|
||||
"Questa impostazione ha un valore diverso dal profilo.\n"
|
||||
"\n"
|
||||
"Fare clic per ripristinare il valore del profilo."
|
||||
msgstr "Questa impostazione ha un valore diverso dal profilo.\n\nFare clic per ripristinare il valore del profilo."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:281
|
||||
msgctxt "@label"
|
||||
@ -3602,10 +3571,7 @@ msgid ""
|
||||
"This setting is normally calculated, but it currently has an absolute value set.\n"
|
||||
"\n"
|
||||
"Click to restore the calculated value."
|
||||
msgstr ""
|
||||
"Questa impostazione normalmente viene calcolata, ma attualmente ha impostato un valore assoluto.\n"
|
||||
"\n"
|
||||
"Fare clic per ripristinare il valore calcolato."
|
||||
msgstr "Questa impostazione normalmente viene calcolata, ma attualmente ha impostato un valore assoluto.\n\nFare clic per ripristinare il valore calcolato."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:129
|
||||
msgctxt "@label"
|
||||
@ -3830,9 +3796,7 @@ msgctxt "@label:listbox"
|
||||
msgid ""
|
||||
"Print Setup disabled\n"
|
||||
"G-code files cannot be modified"
|
||||
msgstr ""
|
||||
"Impostazione di stampa disabilitata\n"
|
||||
"I file codice G non possono essere modificati"
|
||||
msgstr "Impostazione di stampa disabilitata\nI file codice G non possono essere modificati"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrepareSidebar.qml:340
|
||||
msgctxt "@label Hours and minutes"
|
||||
@ -4606,12 +4570,12 @@ msgstr "Registro modifiche"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Fornisce azioni macchina per l’aggiornamento del firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Aggiornamento firmware"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -169,12 +169,12 @@ msgstr "Indica la coordinata Z della posizione in cui l’ugello si innesca all
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Ventola di raffreddamento stampa estrusore"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Il numero di ventole di raffreddamento stampa abbinate a questo estrusore. Modificarlo dal valore predefinito 0 solo quando si ha una ventola di raffreddamento diversa per ciascun estrusore."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"I comandi codice G da eseguire all’avvio, separati da \n"
|
||||
"."
|
||||
msgstr "I comandi codice G da eseguire all’avvio, separati da \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"I comandi codice G da eseguire alla fine, separati da \n"
|
||||
"."
|
||||
msgstr "I comandi codice G da eseguire alla fine, separati da \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1078,7 +1074,7 @@ msgstr "Collega poligoni superiori/inferiori"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Collega i percorsi del rivestimento esterno superiore/inferiore quando corrono uno accanto all’altro. Per le configurazioni concentriche, l’abilitazione di questa impostazione riduce notevolmente il tempo di spostamento, tuttavia poiché i collegamenti possono aver luogo a metà del riempimento, con questa funzione la qualità della superficie superiore potrebbe risultare inferiore."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1498,7 +1494,7 @@ msgstr "Configurazione di riempimento"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "Configurazione del materiale di riempimento della stampa. Il riempimento a linea e a zig zag cambia direzione su strati alternati, riducendo il costo del materiale. Le configurazioni a griglia, a triangolo, tri-esagonali, cubiche, ottagonali, a quarto di cubo, incrociate e concentriche sono stampate completamente su ogni strato. Le configurazioni gyroid, cubiche, a quarto di cubo e ottagonali variano per ciascuno strato per garantire una più uniforme distribuzione della forza in ogni direzione."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1559,7 @@ msgstr "Incrociata 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroid"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Aggiunge pareti supplementari intorno alla zona di riempimento. Queste pareti possono ridurre l’abbassamento delle linee del rivestimento esterno superiore/inferiore, pertanto saranno necessari meno strati di rivestimento esterno superiore/inferiore per ottenere la stessa qualità al costo del materiale supplementare.\n"
|
||||
"Questa funzione può essere abbinata a Collega poligoni riempimento per collegare tutto il riempimento in un unico percorso di estrusione senza necessità di avanzamenti o arretramenti, se configurata correttamente."
|
||||
msgstr "Aggiunge pareti supplementari intorno alla zona di riempimento. Queste pareti possono ridurre l’abbassamento delle linee del rivestimento esterno superiore/inferiore, pertanto saranno necessari meno strati di rivestimento esterno superiore/inferiore per ottenere la stessa qualità al costo del materiale supplementare.\nQuesta funzione può essere abbinata a Collega poligoni riempimento per collegare tutto il riempimento in un unico percorso di estrusione senza necessità di avanzamenti o arretramenti, se configurata correttamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3272,32 +3266,32 @@ msgstr "Indica l’orientamento della configurazione del riempimento per i suppo
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Abilitazione brim del supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Genera un brim entro le zone di riempimento del supporto del primo strato. Questo brim viene stampato al di sotto del supporto, non intorno ad esso. L’abilitazione di questa impostazione aumenta l’adesione del supporto al piano di stampa."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Larghezza del brim del supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Corrisponde alla larghezza del brim da stampare al di sotto del supporto. Un brim più largo migliora l’adesione al piano di stampa, ma utilizza una maggiore quantità di materiale."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Numero di linee del brim del supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Corrisponde al numero di linee utilizzate per il brim del supporto. Più linee brim migliorano l’adesione al piano di stampa, ma utilizzano una maggiore quantità di materiale."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3834,9 +3828,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"Indica la distanza orizzontale tra lo skirt ed il primo strato della stampa.\n"
|
||||
"Questa è la distanza minima. Più linee di skirt aumenteranno tale distanza."
|
||||
msgstr "Indica la distanza orizzontale tra lo skirt ed il primo strato della stampa.\nQuesta è la distanza minima. Più linee di skirt aumenteranno tale distanza."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -3871,12 +3863,12 @@ msgstr "Corrisponde al numero di linee utilizzate per un brim. Più linee brim m
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Brim in sostituzione del supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Abilita la stampa del brim intorno al modello anche se quello spazio dovrebbe essere occupato dal supporto. Sostituisce alcune zone del primo strato del supporto con zone del brim."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -5283,9 +5275,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Indica la distanza di uno spostamento verso l'alto con estrusione a velocità dimezzata.\n"
|
||||
"Ciò può garantire una migliore adesione agli strati precedenti, senza eccessivo riscaldamento del materiale su questi strati. Applicabile solo alla funzione Wire Printing."
|
||||
msgstr "Indica la distanza di uno spostamento verso l'alto con estrusione a velocità dimezzata.\nCiò può garantire una migliore adesione agli strati precedenti, senza eccessivo riscaldamento del materiale su questi strati. Applicabile solo alla funzione Wire Printing."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-09-28 15:19+0200\n"
|
||||
"PO-Revision-Date: 2018-11-06 14:58+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Japanese\n"
|
||||
"Language: ja_JP\n"
|
||||
@ -49,7 +49,7 @@ msgstr "GCodeWriter は非テキストモードはサポートしていません
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "エクスポートする前にG-codeの準備をしてください。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -78,7 +78,7 @@ msgstr "Changelogの表示"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "ファームウェアアップデート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -823,7 +823,7 @@ msgstr "スライス前ファイル {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "ログインに失敗しました"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -874,7 +874,7 @@ msgstr "<filename>{0}</filename>にプロファイルを書き出すのに失敗
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tag <filename>!"
|
||||
msgid "Failed to export profile to <filename>{0}</filename>: Writer plugin reported failure."
|
||||
msgstr " <filename>{0}</filename>にプロファイルを書き出すことに失敗しました。:ライタープラグイン失敗の報告。"
|
||||
msgstr "<filename>{0}</filename>にプロファイルを書き出すことに失敗しました。:ライタープラグイン失敗の報告。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:143
|
||||
#, python-brace-format
|
||||
@ -897,32 +897,32 @@ msgstr "<filename>{0}</filename>: <message>{1}</message>からプロファイル
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "ファイル<filename>{0}</filename>にはカスタムプロファイルがインポートされていません。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename>からプロファイルの取り込に失敗しました。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "このプロファイル<filename>{0}</filename>には、正しくないデータが含まれているため、インポートできません。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "プロファイル<filename>{0}</filename>の中で定義されているマシン({1})は、現在お使いのマシン({2})と一致しないため、インポートできませんでした。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename>からプロファイルの取り込に失敗しました。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1409,7 +1409,7 @@ msgstr "ノズルオフセットY"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "冷却ファンの番号"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1513,7 +1513,7 @@ msgstr "戻る"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "アンインストール確認"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1619,7 +1619,7 @@ msgstr "互換性"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLoadingPage.qml:16
|
||||
msgctxt "@info"
|
||||
msgid "Fetching packages..."
|
||||
msgstr "パッケージ取得中"
|
||||
msgstr "パッケージ取得中…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxAuthorPage.qml:88
|
||||
msgctxt "@label"
|
||||
@ -1656,7 +1656,7 @@ msgstr "閉める"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "ファームウェアアップデート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1681,12 +1681,12 @@ msgstr "カスタムファームウェアをアップロードする"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "プリンターと接続されていないため、ファームウェアをアップデートできません。"
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "プリンターとの接続はファームウェアのアップデートをサポートしていないため、ファームウェアをアップデートできません。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1918,62 +1918,62 @@ msgstr "待ち時間: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "構成の変更"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "割り当てられたプリンター %1 には以下の構成変更が必要です。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "プリンター %1 が割り当てられましたが、ジョブには不明な材料構成があります。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "材料 %1 を %2 から %3 に変更します。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "%3 を 材料 %1 にロードします(これは上書きできません)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "プリントコア %1 を %2 から %3 に変更します。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "ビルドプレートを %1 に変更します(これは上書きできません)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "上書き"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "互換性のない構成で印刷ジョブを開始すると3Dプリンターを損傷することがあります。構成と印刷 %1 を上書きしますか?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "構成を上書きしてから印刷を開始"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "ガラス"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "アルミニウム"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2625,7 +2625,7 @@ msgstr "プリンターへの接続が切断されました"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:187
|
||||
msgctxt "@label:MonitorStatus"
|
||||
msgid "Printing..."
|
||||
msgstr "プリント中"
|
||||
msgstr "プリント中…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/MonitorButton.qml:149
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:189
|
||||
@ -2637,7 +2637,7 @@ msgstr "一時停止しました"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:191
|
||||
msgctxt "@label:MonitorStatus"
|
||||
msgid "Preparing..."
|
||||
msgstr "準備中"
|
||||
msgstr "準備中…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/MonitorButton.qml:154
|
||||
msgctxt "@label:MonitorStatus"
|
||||
@ -2862,12 +2862,12 @@ msgstr "フィラメントを取り込む"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:286
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Could not import material <filename>%1</filename>: <message>%2</message>"
|
||||
msgstr " <filename>%1</filename>フィラメントを取り込むことができない: <message>%2</message>"
|
||||
msgstr "<filename>%1</filename>フィラメントを取り込むことができない: <message>%2</message>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:290
|
||||
msgctxt "@info:status Don't translate the XML tag <filename>!"
|
||||
msgid "Successfully imported material <filename>%1</filename>"
|
||||
msgstr "フィラメント<filename>%1</filename>の取り込みに成功しました。"
|
||||
msgstr "フィラメント<filename>%1</filename>の取り込みに成功しました"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:308
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:316
|
||||
@ -2883,7 +2883,7 @@ msgstr "フィラメントの書き出しに失敗しました <filename>%1</fil
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:326
|
||||
msgctxt "@info:status Don't translate the XML tag <filename>!"
|
||||
msgid "Successfully exported material to <filename>%1</filename>"
|
||||
msgstr "フィラメントの<filename>%1</filename>への書き出しが完了ました。"
|
||||
msgstr "フィラメントの<filename>%1</filename>への書き出しが完了ました"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/SettingVisibilityPage.qml:14
|
||||
msgctxt "@title:tab"
|
||||
@ -3431,17 +3431,17 @@ msgstr "STLファイルを操作するためのライブラリーサポート"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "平面対象物を操作するためのライブラリーサポート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "参画メッシュを操作するためのライブラリーサポート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "複雑なネットワークを分析するためのライブラリーサポート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3451,7 +3451,7 @@ msgstr "3MFファイルを操作するためのライブラリーサポート"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "ファイルメタデータとストリーミングのためのライブラリーサポート"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3537,7 +3537,7 @@ msgstr "常に見えるように設定する"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:417
|
||||
msgctxt "@action:menu"
|
||||
msgid "Configure setting visibility..."
|
||||
msgstr "視野のセッティングを構成する"
|
||||
msgstr "視野のセッティングを構成する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:644
|
||||
msgctxt "@action:inmenu"
|
||||
@ -3766,7 +3766,7 @@ msgstr "すべての設定を表示"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:53
|
||||
msgctxt "@action:inmenu"
|
||||
msgid "Manage Setting Visibility..."
|
||||
msgstr "視野のセッティングを管理する"
|
||||
msgstr "視野のセッティングを管理する…"
|
||||
|
||||
# can’t enter japanese texts
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Menus/ContextMenu.qml:27
|
||||
@ -3941,17 +3941,17 @@ msgstr "Curaを構成する…"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:156
|
||||
msgctxt "@action:inmenu menubar:printer"
|
||||
msgid "&Add Printer..."
|
||||
msgstr "&プリンターを追加する"
|
||||
msgstr "&プリンターを追加する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:162
|
||||
msgctxt "@action:inmenu menubar:printer"
|
||||
msgid "Manage Pr&inters..."
|
||||
msgstr "プリンターを管理する"
|
||||
msgstr "プリンターを管理する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:169
|
||||
msgctxt "@action:inmenu"
|
||||
msgid "Manage Materials..."
|
||||
msgstr "フィラメントを管理する"
|
||||
msgstr "フィラメントを管理する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:177
|
||||
msgctxt "@action:inmenu menubar:profile"
|
||||
@ -3971,7 +3971,7 @@ msgstr "&今の設定/無効からプロファイルを作成する…"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:203
|
||||
msgctxt "@action:inmenu menubar:profile"
|
||||
msgid "Manage Profiles..."
|
||||
msgstr "プロファイルを管理する"
|
||||
msgstr "プロファイルを管理する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:210
|
||||
msgctxt "@action:inmenu menubar:help"
|
||||
@ -4092,7 +4092,7 @@ msgstr "&新しいプロジェクト…"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:402
|
||||
msgctxt "@action:inmenu menubar:help"
|
||||
msgid "Show Engine &Log..."
|
||||
msgstr "エンジン&ログを表示する"
|
||||
msgstr "エンジン&ログを表示する…"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Actions.qml:410
|
||||
msgctxt "@action:inmenu menubar:help"
|
||||
@ -4295,7 +4295,7 @@ msgstr "設定"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Cura.qml:593
|
||||
msgctxt "@title:window"
|
||||
msgid "New project"
|
||||
msgstr "新しいプロジェクト…"
|
||||
msgstr "新しいプロジェクト"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Cura.qml:594
|
||||
msgctxt "@info:question"
|
||||
@ -4598,12 +4598,12 @@ msgstr "Changelog"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "ファームウェアアップデートのためのマシン操作を提供します。"
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "ファームウェアアップデーター"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -170,12 +170,12 @@ msgstr "印刷開始時にノズルがポジションを確認するZ座標。"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "エクストルーダープリント冷却ファン"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "このエクストルーダーに関連付けられているプリント冷却ファンの数です。デフォルト値は0(ゼロ)です。各エクストルーダーに対してプリント冷却ファンが異なる場合にのみ変更します。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -61,9 +61,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"最初に実行するG-codeコマンドは、\n"
|
||||
"で区切ります。"
|
||||
msgstr "最初に実行するG-codeコマンドは、\nで区切ります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -75,9 +73,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"最後に実行するG-codeコマンドは、\n"
|
||||
"で区切ります。"
|
||||
msgstr "最後に実行するG-codeコマンドは、\nで区切ります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1123,7 +1119,7 @@ msgstr "上層/底層ポリゴンに接合"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "互いに次に実行する上層/底層スキンパスに接合します。同心円のパターンの場合、この設定を有効にすることにより、移動時間が短縮されますが、インフィルまでの途中で接合があるため、この機能で上層面の品質が損なわれることがあります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1326,9 +1322,7 @@ msgstr "ZシームX"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "z_seam_x description"
|
||||
msgid "The X coordinate of the position near where to start printing each part in a layer."
|
||||
msgstr ""
|
||||
"レイヤー内の各印刷を開始するX座\n"
|
||||
"標の位置。"
|
||||
msgstr "レイヤー内の各印刷を開始するX座\n標の位置。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "z_seam_y label"
|
||||
@ -1569,7 +1563,7 @@ msgstr "インフィルパターン"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "印刷用インフィル材料のパターン。代替層のラインとジグザグの面詰めスワップ方向、材料コストを削減します。グリッド、トライアングル、トライ六角、キュービック、オクテット、クォーターキュービック、クロスと同心円のパターンは、すべてのレイヤーを完全に印刷されます。ジャイロイド、キュービック、クォーターキュービック、オクテットのインフィルは、各レイヤーを変更して各方向の強度をより均等な分布にします。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1637,7 +1631,7 @@ msgstr "3Dクロス"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "ジャイロイド"
|
||||
|
||||
# msgstr "クロス3D"
|
||||
#: fdmprinter.def.json
|
||||
@ -1711,9 +1705,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"インフィルエリア周辺に外壁を追加します。このような壁は、上層/底層ラインにたるみを作ります。つまり、一部の外壁材料の費用で同じ品質を実現するためには、必要な上層/底層スキンが少ないことを意味します。\n"
|
||||
"この機能は、インフィルポリゴン接合と組み合わせて、構成が正しい場合、移動または引き戻しが必要なく、すべてのインフィルを1つの押出経路に接続することができます。"
|
||||
msgstr "インフィルエリア周辺に外壁を追加します。このような壁は、上層/底層ラインにたるみを作ります。つまり、一部の外壁材料の費用で同じ品質を実現するためには、必要な上層/底層スキンが少ないことを意味します。\nこの機能は、インフィルポリゴン接合と組み合わせて、構成が正しい場合、移動または引き戻しが必要なく、すべてのインフィルを1つの押出経路に接続することができます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1816,9 +1808,7 @@ msgstr "インフィル優先"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_before_walls description"
|
||||
msgid "Print the infill before printing the walls. Printing the walls first may lead to more accurate walls, but overhangs print worse. Printing the infill first leads to sturdier walls, but the infill pattern might sometimes show through the surface."
|
||||
msgstr ""
|
||||
"壁より前にインフィルをプリントします はじめに壁をプリントするとより精密な壁になりますが、オーバーハングのプリントは悪化します\n"
|
||||
"はじめにインフィルをプリントすると丈夫な壁になりますが、インフィルの模様が時折表面から透けて表れます。"
|
||||
msgstr "壁より前にインフィルをプリントします はじめに壁をプリントするとより精密な壁になりますが、オーバーハングのプリントは悪化します\nはじめにインフィルをプリントすると丈夫な壁になりますが、インフィルの模様が時折表面から透けて表れます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area label"
|
||||
@ -3374,32 +3364,32 @@ msgstr "対応するインフィルラインの向きです。サポートイン
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "サポートブリムを有効にする"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "最初の層のインフィルエリア内ブリムを生成します。このブリムは、サポートの周囲ではなく、サポートの下に印刷されます。この設定を有効にすると、サポートのビルドプレートへの吸着性が高まります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "サポートブリムの幅"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "サポートの下に印刷されるブリムの幅。ブリムが大きいほど、追加材料の費用でビルドプレートへの接着性が強化されます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "サポートブリムのライン数"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "サポートブリムに使用される線の数。ブリムの線数を増やすと、追加材料の費用でビルドプレートへの接着性が強化されます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3964,9 +3954,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"スカートと印刷の最初の層の間の水平距離。\n"
|
||||
"これは最小距離です。複数のスカートラインがこの距離から外側に展開されます。"
|
||||
msgstr "スカートと印刷の最初の層の間の水平距離。\nこれは最小距離です。複数のスカートラインがこの距離から外側に展開されます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -4001,12 +3989,12 @@ msgstr "ブリムに使用される線数。ブリムの線数は、ビルドプ
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "ブリム交換サポート"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "スペースがサポートで埋まっている場合でも、モデルの周辺にブリムを印刷します。これにより、サポートの最初の層の一部のエリアがブリムになります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:00+0100\n"
|
||||
"Last-Translator: Jinbuhm Kim <Jinbuhm.Kim@gmail.com>\n"
|
||||
"Language-Team: Jinbum Kim <Jinbuhm.Kim@gmail.com>, Korean <info@bothof.nl>\n"
|
||||
"Language: ko_KR\n"
|
||||
@ -49,7 +49,7 @@ msgstr "GCodeWriter는 텍스트가 아닌 모드는 지원하지 않습니다."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "내보내기 전에 G-code를 준비하십시오."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -78,7 +78,7 @@ msgstr "변경 내역 표시"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "펌웨어 업데이트"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -822,7 +822,7 @@ msgstr "미리 슬라이싱한 파일 {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "로그인 실패"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +896,32 @@ msgstr "<filename>{0}</filename>: <message>{1}</message> 에서 프로파일을
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename>(으)로 가져올 사용자 정의 프로파일이 없습니다"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename>에서 프로파일을 가져오지 못했습니다:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "프로파일 <filename>{0}</filename>에는 정확하지 않은 데이터가 포함되어 있으므로, 불러올 수 없습니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "The machine defined in profile <filename>{0}</filename> ({1}) doesn’t match with your current machine ({2}), could not import it."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename>에서 프로파일을 가져오지 못했습니다:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1408,7 +1408,7 @@ msgstr "노즐 오프셋 Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "냉각 팬 번호"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1512,7 @@ msgstr "뒤로"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "제거 확인"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1537,7 +1537,7 @@ msgstr "확인"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxFooter.qml:17
|
||||
msgctxt "@info"
|
||||
msgid "You will need to restart Cura before changes in packages have effect."
|
||||
msgstr "패키지의 변경 사항이 적용되기 전에 Cura를 다시 시작해야 합니다"
|
||||
msgstr "패키지의 변경 사항이 적용되기 전에 Cura를 다시 시작해야 합니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxFooter.qml:34
|
||||
msgctxt "@info:button"
|
||||
@ -1655,7 +1655,7 @@ msgstr "닫기"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "펌웨어 업데이트"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1680,12 @@ msgstr "사용자 정의 펌웨어 업로드"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "프린터와 연결되지 않아 펌웨어를 업데이트할 수 없습니다."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "프린터와 연결이 펌웨어 업그레이드를 지원하지 않아 펌웨어를 업데이트할 수 없습니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1920,62 +1920,62 @@ msgstr "대기: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "구성 변경"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "할당된 프린터 %1의 구성을 다음과 같이 변경해야 합니다:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "프린터 %1이(가) 할당되었으나 작업에 알 수 없는 재료 구성이 포함되어 있습니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "재료 %1을(를) %2에서 %3(으)로 변경합니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "%3을(를) 재료 %1(으)로 로드합니다(이 작업은 무효화할 수 없음)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "PrintCore %1을(를) %2에서 %3(으)로 변경합니다."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "빌드 플레이트를 %1(으)로 변경합니다(이 작업은 무효화할 수 없음)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "무시하기"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "호환되지 않는 구성이 있는 인쇄 작업을 시작하면 3D 프린터가 손상될 수 있습니다. 구성을 재정의하고 %1을(를) 인쇄하시겠습니까?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "구성 재정의 및 인쇄 시작"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "유리"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "알루미늄"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2204,7 +2204,7 @@ msgstr "이미지 변환 ..."
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "The maximum distance of each pixel from \"Base.\""
|
||||
msgstr "\"Base\"에서 각 픽셀까지의 최대 거리"
|
||||
msgstr "\"Base\"에서 각 픽셀까지의 최대 거리."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
|
||||
msgctxt "@action:label"
|
||||
@ -3433,17 +3433,17 @@ msgstr "STL 파일 처리를 위한 라이브러리"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "평면 개체 처리를 위한 지원 라이브러리"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "삼각형 메쉬 처리를 위한 지원 라이브러리"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "복잡한 네트워크 분석을 위한 지원 라이브러리"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3453,7 +3453,7 @@ msgstr "3MF 파일 처리를 위한 라이브러리"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "파일 메타데이터 및 스트리밍을 위한 지원 라이브러리"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -4488,7 +4488,7 @@ msgstr "재료"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/SidebarHeader.qml:543
|
||||
msgctxt "@label"
|
||||
msgid "Use glue with this material combination"
|
||||
msgstr "이 재료 조합과 함께 접착제를 사용하십시오."
|
||||
msgstr "이 재료 조합과 함께 접착제를 사용하십시오"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/SidebarHeader.qml:575
|
||||
msgctxt "@label"
|
||||
@ -4598,12 +4598,12 @@ msgstr "변경 내역"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "펌웨어 업데이트를 위한 기계 동작을 제공합니다."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "펌웨어 업데이터"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4688,7 +4688,7 @@ msgstr "이동식 드라이브 출력 장치 플러그인"
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Manages network connections to Ultimaker 3 printers."
|
||||
msgstr "Ultimaker 3 프린터에 대한 네트워크 연결을 관리합니다"
|
||||
msgstr "Ultimaker 3 프린터에 대한 네트워크 연결을 관리합니다."
|
||||
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "name"
|
||||
|
@ -171,12 +171,12 @@ msgstr "프린팅이 시작될 때 노즐이 시작하는 위치의 Z 좌표입
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "익스트루더 프린팅 냉각 팬"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "이 익스트루더와 관련된 프린팅 냉각 팬의 개수. 각 익스트루더마다 다른 프린팅 냉각 팬이 있을 때만 기본값 0에서 변경하십시오."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"시작과 동시에형실행될 G 코드 명령어 \n"
|
||||
"."
|
||||
msgstr "시작과 동시에형실행될 G 코드 명령어 \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"맨 마지막에 실행될 G 코드 명령 \n"
|
||||
"."
|
||||
msgstr "맨 마지막에 실행될 G 코드 명령 \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1079,7 +1075,7 @@ msgstr "상단/하단 다각형 연결"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "스킨 경로가 나란히 이어지는 상단/하단 스킨 경로를 연결합니다. 동심원 패턴의 경우 이 설정을 사용하면 이동 시간이 크게 감소하지만, 내부채움의 중간에 연결될 수 있기 때문에 이 기능은 상단 표면 품질을 저하시킬 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1499,7 +1495,7 @@ msgstr "내부채움 패턴"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "프린트 충진 재료의 패턴입니다. 선과 갈지자형 충진이 레이어를 하나 걸러서 방향을 바꾸므로 재료비가 절감됩니다. 격자, 삼각형, 삼육각형, 입방체, 옥텟, 4분 입방체, 십자, 동심원 패턴이 레이어마다 완전히 인쇄됩니다. 자이로이드, 입방체, 4분 입방체, 옥텟 충진이 레이어마다 변경되므로 각 방향으로 힘이 더 균등하게 분산됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1564,7 +1560,7 @@ msgstr "십자형 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "자이로이드"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1636,9 +1632,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"내부채움 영역 주변에 여분의 벽을 추가합니다. 이러한 벽은 상단/하단 스킨 라인이 늘어지는 것을 줄여줄 수 있습니다. 일부 여분 재료를 사용해도 같은 품질을 유지하는 데 필요한 필요한 상단/하단 스킨 층이 감소한다는 의미입니다.\n"
|
||||
"이 기능을 올바르게 구성하는 경우 내부채움 다각형 연결과 함께 사용해 이동 또는 리트랙션없이 모든 내부채움을 단일 돌출 경로에 연결할 수 있습니다."
|
||||
msgstr "내부채움 영역 주변에 여분의 벽을 추가합니다. 이러한 벽은 상단/하단 스킨 라인이 늘어지는 것을 줄여줄 수 있습니다. 일부 여분 재료를 사용해도 같은 품질을 유지하는 데 필요한 필요한 상단/하단 스킨 층이 감소한다는 의미입니다.\n이 기능을 올바르게 구성하는 경우 내부채움 다각형 연결과 함께 사용해 이동 또는 리트랙션없이 모든 내부채움을 단일 돌출 경로에 연결할 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3273,32 +3267,32 @@ msgstr "서포트에 대한 내부채움 패턴 방향. 서포트 내부채움
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "서포트 브림 사용"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "첫 번째 레이어의 서포트 내부채움 영역 내에서 브림을 생성합니다. 이 브림은 서포트 주변이 아니라 아래에 인쇄됩니다. 이 설정을 사용하면 빌드 플레이트에 대한 서포트력이 향상됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "서포트 브림 폭"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "서포트 아래를 인쇄하기 위한 브림 폭. 브림이 커질수록 추가 재료가 소요되지만 빌드 플레이트에 대한 접착력이 향상됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "서포트 브림 라인 수"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "서포트 브림에 사용되는 라인의 수. 브림 라인이 많아질수록 추가 재료가 소요되지만 빌드 플레이트에 대한 접착력이 향상됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3835,9 +3829,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"프린트의 스커트와 첫 번째 레이어 사이의 수평 거리입니다.\n"
|
||||
"이것은 최소 거리입니다. 여러 개의 스커트 선이 이 거리에서 바깥쪽으로 연장됩니다."
|
||||
msgstr "프린트의 스커트와 첫 번째 레이어 사이의 수평 거리입니다.\n이것은 최소 거리입니다. 여러 개의 스커트 선이 이 거리에서 바깥쪽으로 연장됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -3872,12 +3864,12 @@ msgstr "브림에 사용되는 선의 수입니다. 더 많은 브림 선이 빌
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "브림이 서포트 대체"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "서포트가 차지할 공간이더라도 모델 주변에 브림이 인쇄되도록 합니다. 이렇게 하면 서포트의 첫 번째 레이어 영역 일부가 브림 영역으로 대체됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
|
@ -8,13 +8,15 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-10-01 11:30+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:03+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Dutch\n"
|
||||
"Language: nl_NL\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:22
|
||||
msgctxt "@action"
|
||||
@ -47,7 +49,7 @@ msgstr "GCodeWriter ondersteunt geen non-tekstmodus."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Bereid voorafgaand aan het exporteren G-code voor."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -76,7 +78,7 @@ msgstr "Wijzigingenlogboek Weergeven"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Firmware bijwerken"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -439,7 +441,7 @@ msgstr "De PrintCores en/of materialen in de printer wijken af van de PrintCores
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:91
|
||||
msgctxt "@info:status"
|
||||
msgid "Connected over the network"
|
||||
msgstr "Via het netwerk verbonden."
|
||||
msgstr "Via het netwerk verbonden"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:303
|
||||
msgctxt "@info:status"
|
||||
@ -820,7 +822,7 @@ msgstr "Vooraf geslicet bestand {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Inloggen mislukt"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -894,32 +896,32 @@ msgstr "Kan het profiel niet importeren uit <filename>{0}</filename>: <message>{
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Er is geen aangepast profiel om in het bestand <filename>{0}</filename> te importeren"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Kan het profiel niet importeren uit <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Dit profiel <filename>{0}</filename> bevat incorrecte gegevens. Kan het profiel niet importeren."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "De machine die is vastgelegd in het profiel <filename>{0}</filename> ({1}), komt niet overeen met uw huidige machine ({2}). Kan het profiel niet importeren."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Kan het profiel niet importeren uit <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1346,7 +1348,7 @@ msgstr "Hoogte rijbrug"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:238
|
||||
msgctxt "@tooltip"
|
||||
msgid "The height difference between the tip of the nozzle and the gantry system (X and Y axes). Used to prevent collisions between previous prints and the gantry when printing \"One at a Time\"."
|
||||
msgstr "Het hoogteverschil tussen de punt van de nozzle en het rijbrugsysteem (X- en Y-as). Wordt tijdens \"een voor een\"-printen gebruikt om botsingen tussen eerder geprinte voorwerpen en het rijbrugsysteem te voorkomen"
|
||||
msgstr "Het hoogteverschil tussen de punt van de nozzle en het rijbrugsysteem (X- en Y-as). Wordt tijdens \"een voor een\"-printen gebruikt om botsingen tussen eerder geprinte voorwerpen en het rijbrugsysteem te voorkomen."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:257
|
||||
msgctxt "@label"
|
||||
@ -1406,7 +1408,7 @@ msgstr "Nozzle-offset Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Nummer van koelventilator"
|
||||
|
||||
# SOME DESCRIPTIVE TITLE.
|
||||
# Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER
|
||||
@ -1525,7 +1527,7 @@ msgstr "Terug"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "De-installeren bevestigen"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1668,7 +1670,7 @@ msgstr "Sluiten"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Firmware bijwerken"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1693,12 +1695,12 @@ msgstr "Aangepaste Firmware Uploaden"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Kan de firmware niet bijwerken omdat er geen verbinding met de printer is."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Kan de firmware niet bijwerken omdat de verbinding met de printer geen ondersteuning biedt voor het uitvoeren van een firmware-upgrade."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1933,62 +1935,62 @@ msgstr "Wachten op: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Configuratiewijziging"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "Voor de toegewezen printer, 1%, is/zijn de volgende configuratiewijziging/configuratiewijzigingen vereist:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "De printer 1% is toegewezen. De taak bevat echter een onbekende materiaalconfiguratie."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Wijzig het materiaal %1 van %2 in %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Laad %3 als materiaal %1 (kan niet worden overschreven)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Wijzig de print core %1 van %2 in %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Wijzig het platform naar %1 (kan niet worden overschreven)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Overschrijven"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Als u een printtaak met een incompatibele configuratie start, kan dit leiden tot schade aan de 3D-printer. Weet u zeker dat u de configuratie en print %1 wilt overschrijven?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Configuratie overschrijven en printen starten"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Glas"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Aluminium"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2202,12 +2204,12 @@ msgstr "Cura verzendt anonieme gegevens naar Ultimaker om de printkwaliteit en g
|
||||
#: /home/ruben/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:101
|
||||
msgctxt "@text:window"
|
||||
msgid "I don't want to send these data"
|
||||
msgstr "Ik wil deze gegevens niet verzenden."
|
||||
msgstr "Ik wil deze gegevens niet verzenden"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/SliceInfoPlugin/MoreInfoWindow.qml:111
|
||||
msgctxt "@text:window"
|
||||
msgid "Allow sending these data to Ultimaker and help us improve Cura"
|
||||
msgstr "Verzenden van deze gegevens naar Ultimaker toestaan en ons helpen Cura te verbeteren."
|
||||
msgstr "Verzenden van deze gegevens naar Ultimaker toestaan en ons helpen Cura te verbeteren"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:19
|
||||
msgctxt "@title:window"
|
||||
@ -2247,7 +2249,7 @@ msgstr "Breedte (mm)"
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "The depth in millimeters on the build plate"
|
||||
msgstr "De diepte op het platform in millimeters."
|
||||
msgstr "De diepte op het platform in millimeters"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
|
||||
msgctxt "@action:label"
|
||||
@ -2478,7 +2480,7 @@ msgstr "Printerupgrades Selecteren"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UM2UpgradeSelectionMachineAction.qml:38
|
||||
msgctxt "@label"
|
||||
msgid "Please select any upgrades made to this Ultimaker 2."
|
||||
msgstr "Selecteer eventuele upgrades die op deze Ultimaker 2 zijn uitgevoerd"
|
||||
msgstr "Selecteer eventuele upgrades die op deze Ultimaker 2 zijn uitgevoerd."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UM2UpgradeSelectionMachineAction.qml:47
|
||||
msgctxt "@label"
|
||||
@ -2866,7 +2868,7 @@ msgstr "Verwijderen Bevestigen"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/ProfilesPage.qml:240
|
||||
msgctxt "@label (%1 is object name)"
|
||||
msgid "Are you sure you wish to remove %1? This cannot be undone!"
|
||||
msgstr "Weet u zeker dat u %1 wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt."
|
||||
msgstr "Weet u zeker dat u %1 wilt verwijderen? Deze bewerking kan niet ongedaan worden gemaakt!"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:277
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/Materials/MaterialsPage.qml:285
|
||||
@ -3448,17 +3450,17 @@ msgstr "Ondersteuningsbibliotheek voor het verwerken van STL-bestanden"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Ondersteuningsbibliotheek voor het verwerken van tweedimensionale objecten"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Ondersteuningsbibliotheek voor het verwerken van driehoekig rasters"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Ondersteuningsbibliotheek voor de analyse van complexe netwerken"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3468,7 +3470,7 @@ msgstr "Ondersteuningsbibliotheek voor het verwerken van 3MF-bestanden"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Ondersteuningsbibliotheek voor bestandsmetadata en streaming"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3591,7 +3593,7 @@ msgstr "Beïnvloed door"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:155
|
||||
msgctxt "@label"
|
||||
msgid "This setting is always shared between all extruders. Changing it here will change the value for all extruders."
|
||||
msgstr "Deze instelling wordt altijd door alle extruders gedeeld. Als u hier de instelling wijzigt, wordt de waarde voor alle extruders gewijzigd"
|
||||
msgstr "Deze instelling wordt altijd door alle extruders gedeeld. Als u hier de instelling wijzigt, wordt de waarde voor alle extruders gewijzigd."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:158
|
||||
msgctxt "@label"
|
||||
@ -4539,7 +4541,7 @@ msgstr "Huidig platform schikken"
|
||||
#: MachineSettingsAction/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a way to change machine settings (such as build volume, nozzle size, etc.)."
|
||||
msgstr "Biedt een manier om de machine-instellingen (zoals bouwvolume, maat nozzle, enz.) te wijzigen"
|
||||
msgstr "Biedt een manier om de machine-instellingen (zoals bouwvolume, maat nozzle, enz.) te wijzigen."
|
||||
|
||||
#: MachineSettingsAction/plugin.json
|
||||
msgctxt "name"
|
||||
@ -4619,12 +4621,12 @@ msgstr "Wijzigingenlogboek"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Biedt machineacties voor het bijwerken van de firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Firmware-updater"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4649,7 +4651,7 @@ msgstr "USB-printen"
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Ask the user once if he/she agrees with our license."
|
||||
msgstr "Vraag de gebruiker één keer of deze akkoord gaat met de licentie"
|
||||
msgstr "Vraag de gebruiker één keer of deze akkoord gaat met de licentie."
|
||||
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "name"
|
||||
@ -4709,7 +4711,7 @@ msgstr "Invoegtoepassing voor Verwijderbaar uitvoerapparaat"
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Manages network connections to Ultimaker 3 printers."
|
||||
msgstr "Hiermee beheert u netwerkverbindingen naar Ultimaker 3-printers"
|
||||
msgstr "Hiermee beheert u netwerkverbindingen naar Ultimaker 3-printers."
|
||||
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "name"
|
||||
@ -4844,7 +4846,7 @@ msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.5 naar Cura 2.6."
|
||||
#: VersionUpgrade/VersionUpgrade25to26/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Version Upgrade 2.5 to 2.6"
|
||||
msgstr "Versie-upgrade van 2.5 naar 2.6."
|
||||
msgstr "Versie-upgrade van 2.5 naar 2.6"
|
||||
|
||||
#: VersionUpgrade/VersionUpgrade27to30/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4884,7 +4886,7 @@ msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.6 naar Cura 2.7."
|
||||
#: VersionUpgrade/VersionUpgrade26to27/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Version Upgrade 2.6 to 2.7"
|
||||
msgstr "Versie-upgrade van 2.6 naar 2.7."
|
||||
msgstr "Versie-upgrade van 2.6 naar 2.7"
|
||||
|
||||
#: VersionUpgrade/VersionUpgrade21to22/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4904,7 +4906,7 @@ msgstr "Hiermee worden configuraties bijgewerkt van Cura 2.2 naar Cura 2.4."
|
||||
#: VersionUpgrade/VersionUpgrade22to24/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Version Upgrade 2.2 to 2.4"
|
||||
msgstr "Versie-upgrade van 2.2 naar 2.4."
|
||||
msgstr "Versie-upgrade van 2.2 naar 2.4"
|
||||
|
||||
#: ImageReader/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -169,12 +169,12 @@ msgstr "De Z-coördinaat van de positie waar filament in de nozzle wordt terugge
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Printkoelventilator van extruder"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Het nummer van de bij deze extruder behorende printkoelventilator. Verander de standaardwaarde 0 alleen als u voor elke extruder een andere printkoelventilator hebt."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,13 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:10+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:03+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Dutch\n"
|
||||
"Language: nl_NL\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -547,7 +548,7 @@ msgstr "Maximale Acceleratie X"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_max_acceleration_x description"
|
||||
msgid "Maximum acceleration for the motor of the X-direction"
|
||||
msgstr "De maximale acceleratie van de motor in de X-richting."
|
||||
msgstr "De maximale acceleratie van de motor in de X-richting"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_max_acceleration_y label"
|
||||
@ -697,7 +698,7 @@ msgstr "Minimale Doorvoersnelheid"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_minimum_feedrate description"
|
||||
msgid "The minimal movement speed of the print head."
|
||||
msgstr "De minimale bewegingssnelheid van de printkop"
|
||||
msgstr "De minimale bewegingssnelheid van de printkop."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_feeder_wheel_diameter label"
|
||||
@ -747,7 +748,7 @@ msgstr "Lijnbreedte"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "line_width description"
|
||||
msgid "Width of a single line. Generally, the width of each line should correspond to the width of the nozzle. However, slightly reducing this value could produce better prints."
|
||||
msgstr "De breedte van een enkele lijn. Over het algemeen dient de breedte van elke lijn overeen te komen met de breedte van de nozzle. Wanneer deze waarde echter iets wordt verlaagd, resulteert dit in betere prints"
|
||||
msgstr "De breedte van een enkele lijn. Over het algemeen dient de breedte van elke lijn overeen te komen met de breedte van de nozzle. Wanneer deze waarde echter iets wordt verlaagd, resulteert dit in betere prints."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_line_width label"
|
||||
@ -1077,7 +1078,7 @@ msgstr "Boven-/onderkant Polygonen Verbinden"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Verbind skinpaden aan de boven-/onderkant waar ze naast elkaar lopen. Met deze instelling wordt bij concentrische patronen de bewegingstijd aanzienlijk verkort. Dit kan echter ten koste gaan van de kwaliteit van de bovenste laag aangezien de verbindingen in het midden van de vulling kunnen komen te liggen."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1497,7 +1498,7 @@ msgstr "Vulpatroon"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "Het patroon van het vulmateriaal van de print. De lijn- en zigzagvulling veranderen per vullaag van richting, waardoor wordt bespaard op materiaalkosten. De raster-, driehoeks-, tri-hexagonale, kubische, achtvlaks-, afgeknotte kubus-, kruis- en concentrische patronen worden elke laag volledig geprint. Gyroïde, kubische, afgeknotte kubus- en achtvlaksvullingen veranderen elke laag voor een meer gelijke krachtverdeling in elke richting."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1562,7 +1563,7 @@ msgstr "Kruis 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroïde"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1866,7 +1867,7 @@ msgstr "Standaard printtemperatuur"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "default_material_print_temperature description"
|
||||
msgid "The default temperature used for printing. This should be the \"base\" temperature of a material. All other print temperatures should use offsets based on this value"
|
||||
msgstr "De standaardtemperatuur waarmee wordt geprint. Dit moet overeenkomen met de basistemperatuur van een materiaal. Voor alle andere printtemperaturen moet een offset worden gebruikt die gebaseerd is op deze waarde."
|
||||
msgstr "De standaardtemperatuur waarmee wordt geprint. Dit moet overeenkomen met de basistemperatuur van een materiaal. Voor alle andere printtemperaturen moet een offset worden gebruikt die gebaseerd is op deze waarde"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_print_temperature label"
|
||||
@ -1926,7 +1927,7 @@ msgstr "Standaardtemperatuur platform"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "default_material_bed_temperature description"
|
||||
msgid "The default temperature used for the heated build plate. This should be the \"base\" temperature of a build plate. All other print temperatures should use offsets based on this value"
|
||||
msgstr "De standaardtemperatuur die wordt gebruikt voor het verwarmde platform. Dit moet overeenkomen met de basistemperatuur van een platform. Voor alle andere printtemperaturen moet een offset worden gebruikt die is gebaseerd op deze waarde."
|
||||
msgstr "De standaardtemperatuur die wordt gebruikt voor het verwarmde platform. Dit moet overeenkomen met de basistemperatuur van een platform. Voor alle andere printtemperaturen moet een offset worden gebruikt die is gebaseerd op deze waarde"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_bed_temperature label"
|
||||
@ -2016,7 +2017,7 @@ msgstr "Intrekken bij laagwisseling"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retract_at_layer_change description"
|
||||
msgid "Retract the filament when the nozzle is moving to the next layer."
|
||||
msgstr "Trek het filament in wanneer de nozzle naar de volgende laag beweegt. "
|
||||
msgstr "Trek het filament in wanneer de nozzle naar de volgende laag beweegt."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_amount label"
|
||||
@ -2386,7 +2387,7 @@ msgstr "Maximale Snelheid voor het Afstemmen van Doorvoer"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_equalize_flow_max description"
|
||||
msgid "Maximum print speed when adjusting the print speed in order to equalize flow."
|
||||
msgstr "Maximale printsnelheid tijdens het aanpassen van de printsnelheid om de doorvoer af te stemmen"
|
||||
msgstr "Maximale printsnelheid tijdens het aanpassen van de printsnelheid om de doorvoer af te stemmen."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "acceleration_enabled label"
|
||||
@ -3271,32 +3272,32 @@ msgstr "Richting van het vulpatroon voor supportstructuren. Het vulpatroon voor
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Supportbrim inschakelen"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Genereer een brim binnen de supportvulgebieden van de eerste laag. Deze brim wordt niet rondom maar onder de supportstructuur geprint. Als u deze instelling inschakelt, hecht de supportstructuur beter aan het platform."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Breedte supportbrim"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "De breedte van de brim die onder de support wordt geprint. Een bredere brim kost meer materiaal, maar hecht beter aan het platform."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Aantal supportbrimlijnen"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Het aantal lijnen dat voor de supportbrim wordt gebruikt. Meer brimlijnen zorgen voor betere hechting aan het platform, maar kosten wat extra materiaal."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3870,12 +3871,12 @@ msgstr "Het aantal lijnen dat voor een brim wordt gebruikt. Meer lijnen zorgen v
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Brim vervangt supportstructuur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Dwing af dat de brim rond het model wordt geprint, zelfs als deze ruimte anders door supportstructuur zou worden ingenomen. Hierdoor worden enkele gebieden van de eerste supportlaag vervangen door brimgebieden."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
|
@ -49,7 +49,7 @@ msgstr "O GCodeWriter não suporta modo sem texto."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Prepare um G-code antes de exportar."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -65,11 +65,7 @@ msgid ""
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Find out how to ensure the best possible print quality and reliability.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">View print quality guide</a></p>"
|
||||
msgstr ""
|
||||
"<p>Um, ou mais, dos modelos 3D podem ter menos qualidade de impressão devido à dimensão do modelo 3D e definição de material:</p>\n"
|
||||
"<p>{model_names}</p>\n"
|
||||
"<p>Descubra como assegurar a melhor qualidade e fiabilidade possível da impressão.</p>\n"
|
||||
"<p><a href=\"https://ultimaker.com/3D-model-assistant\">Ver o guia de qualidade da impressão</a></p>"
|
||||
msgstr "<p>Um, ou mais, dos modelos 3D podem ter menos qualidade de impressão devido à dimensão do modelo 3D e definição de material:</p>\n<p>{model_names}</p>\n<p>Descubra como assegurar a melhor qualidade e fiabilidade possível da impressão.</p>\n<p><a href=\"https://ultimaker.com/3D-model-assistant\">Ver o guia de qualidade da impressão</a></p>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ChangeLogPlugin/ChangeLog.py:32
|
||||
msgctxt "@item:inmenu"
|
||||
@ -79,7 +75,7 @@ msgstr "Mostrar Lista das Alterações de cada Versão"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Atualizar firmware"
|
||||
|
||||
# rever!
|
||||
# flatten -ver contexto!
|
||||
@ -846,7 +842,7 @@ msgstr "Ficheiro pré-seccionado {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Falha no início de sessão"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -920,32 +916,32 @@ msgstr "Falha ao importar perfil de <filename>{0}</filename>: <message>{1}</mess
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Nenhum perfil personalizado para importar no ficheiro <filename>{0}</filename>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Falha ao importar perfil de <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "O perfil <filename>{0}</filename> contém dados incorretos, não foi possível importá-lo."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "A máquina definida no perfil <filename>{0}</filename> ({1}) não corresponde à sua máquina atual ({2}), não foi possível importá-la."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Falha ao importar perfil de <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1100,12 +1096,7 @@ msgid ""
|
||||
" <p>Backups can be found in the configuration folder.</p>\n"
|
||||
" <p>Please send us this Crash Report to fix the problem.</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Ups, o Ultimaker Cura encontrou um possível problema.</p></b>\n"
|
||||
" <p>Foi encontrado um erro irrecuperável durante o arranque da aplicação. Este pode ter sido causado por alguns ficheiros de configuração incorrectos. Sugerimos que faça um backup e reponha a sua configuração.</p>\n"
|
||||
" <p>Os backups estão localizados na pasta de configuração.</p>\n"
|
||||
" <p>Por favor envie-nos este Relatório de Falhas para podermos resolver o problema.</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Ups, o Ultimaker Cura encontrou um possível problema.</p></b>\n <p>Foi encontrado um erro irrecuperável durante o arranque da aplicação. Este pode ter sido causado por alguns ficheiros de configuração incorrectos. Sugerimos que faça um backup e reponha a sua configuração.</p>\n <p>Os backups estão localizados na pasta de configuração.</p>\n <p>Por favor envie-nos este Relatório de Falhas para podermos resolver o problema.</p>\n "
|
||||
|
||||
# rever!
|
||||
# button size?
|
||||
@ -1140,10 +1131,7 @@ msgid ""
|
||||
"<p><b>A fatal error has occurred in Cura. Please send us this Crash Report to fix the problem</p></b>\n"
|
||||
" <p>Please use the \"Send report\" button to post a bug report automatically to our servers</p>\n"
|
||||
" "
|
||||
msgstr ""
|
||||
"<p><b>Ocorreu um erro fatal no Cura. Por favor envie-nos este Relatório de Falhas para podermos resolver o problema</p></b>\n"
|
||||
" <p>Por favor utilize o botão \"Enviar relatório\" para publicar um relatório de erros automaticamente nos nossos servidores</p>\n"
|
||||
" "
|
||||
msgstr "<p><b>Ocorreu um erro fatal no Cura. Por favor envie-nos este Relatório de Falhas para podermos resolver o problema</p></b>\n <p>Por favor utilize o botão \"Enviar relatório\" para publicar um relatório de erros automaticamente nos nossos servidores</p>\n "
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/CrashHandler.py:177
|
||||
msgctxt "@title:groupbox"
|
||||
@ -1439,7 +1427,7 @@ msgstr "Desvio Y do Nozzle"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Número de ventoinha de arrefecimento"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1543,7 +1531,7 @@ msgstr "Anterior"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Confirmar desinstalação"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1621,10 +1609,7 @@ msgid ""
|
||||
"This plugin contains a license.\n"
|
||||
"You need to accept this license to install this plugin.\n"
|
||||
"Do you agree with the terms below?"
|
||||
msgstr ""
|
||||
"Este plug-in contém uma licença.\n"
|
||||
"É necessário aceitar esta licença para instalar o plug-in.\n"
|
||||
"Concorda com os termos abaixo?"
|
||||
msgstr "Este plug-in contém uma licença.\nÉ necessário aceitar esta licença para instalar o plug-in.\nConcorda com os termos abaixo?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxLicenseDialog.qml:54
|
||||
msgctxt "@action:button"
|
||||
@ -1686,7 +1671,7 @@ msgstr "Fechar"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Atualizar firmware"
|
||||
|
||||
# rever!
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
@ -1712,12 +1697,12 @@ msgstr "Carregar firmware personalizado"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "O firmware não pode ser atualizado por não existir ligação com a impressora."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "O firmware não pode ser atualizado porque a ligação com a impressora não suporta a atualização de firmware."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1785,10 +1770,7 @@ 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.\n"
|
||||
"\n"
|
||||
"Select your printer from the list below:"
|
||||
msgstr ""
|
||||
"Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a sua impressora está ligada à rede por meio de um cabo de rede ou através de ligação à rede Wi-Fi. Se não ligar o Cura por rede à impressora, poderá ainda assim utilizar uma unidade USB para transferir ficheiros g-code para a impressora.\n"
|
||||
"\n"
|
||||
"Selecione a sua impressora na lista em baixo:"
|
||||
msgstr "Para imprimir diretamente para a sua impressora através da rede, certifique-se de que a sua impressora está ligada à rede por meio de um cabo de rede ou através de ligação à rede Wi-Fi. Se não ligar o Cura por rede à impressora, poderá ainda assim utilizar uma unidade USB para transferir ficheiros g-code para a impressora.\n\nSelecione a sua impressora na lista em baixo:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/DiscoverUM3Action.qml:85
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/MachinesPage.qml:42
|
||||
@ -1954,62 +1936,62 @@ msgstr "A aguardar: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Configuração alterada"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "A impressora atribuída %1 requer as seguintes alterações de configuração:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "A impressora %1 está atribuída, mas o trabalho tem uma configuração de material desconhecida."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Alterar o material %1 de %2 para %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Carregar %3 como material %1 (isto não pode ser substituído)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Substituir o núcleo de impressão %1 de %2 para %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Alterar placa de construção para %1 (isto não pode ser substituído)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Ignorar"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Iniciar um trabalho de impressão com uma configuração incompatível pode danificar a impressora 3D. Tem a certeza de que pretende ignorar a configuração e imprimir %1?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Ignorar configuração e iniciar impressão"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Vidro"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Alumínio"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2714,9 +2696,7 @@ msgctxt "@text:window"
|
||||
msgid ""
|
||||
"You have customized some profile settings.\n"
|
||||
"Would you like to keep or discard those settings?"
|
||||
msgstr ""
|
||||
"Alterou algumas das definições do perfil.\n"
|
||||
"Gostaria de manter ou descartar essas alterações?"
|
||||
msgstr "Alterou algumas das definições do perfil.\nGostaria de manter ou descartar essas alterações?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/DiscardOrKeepProfileChangesDialog.qml:110
|
||||
msgctxt "@title:column"
|
||||
@ -3422,9 +3402,7 @@ msgctxt "@info:credit"
|
||||
msgid ""
|
||||
"Cura is developed by Ultimaker B.V. in cooperation with the community.\n"
|
||||
"Cura proudly uses the following open source projects:"
|
||||
msgstr ""
|
||||
"O Cura foi desenvolvido pela Ultimaker B.V. em colaboração com a comunidade.\n"
|
||||
"O Cura tem o prazer de utilizar os seguintes projetos open source:"
|
||||
msgstr "O Cura foi desenvolvido pela Ultimaker B.V. em colaboração com a comunidade.\nO Cura tem o prazer de utilizar os seguintes projetos open source:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:132
|
||||
msgctxt "@label"
|
||||
@ -3491,17 +3469,17 @@ msgstr "Biblioteca de apoio para processamento de ficheiros STL"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de apoio para processamento de objetos planos"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de apoio para processamento de malhas triangulares"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de apoio para análise de redes complexas"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3511,7 +3489,7 @@ msgstr "Biblioteca de apoio para processamento de ficheiros 3MF"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Biblioteca de apoio para transmissões de fluxo e metadados de ficheiros"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3560,10 +3538,7 @@ msgid ""
|
||||
"Some setting/override values are different from the values stored in the profile.\n"
|
||||
"\n"
|
||||
"Click to open the profile manager."
|
||||
msgstr ""
|
||||
"Alguns valores de definição/substituição são diferentes dos valores armazenados no perfil.\n"
|
||||
"\n"
|
||||
"Clique para abrir o gestor de perfis."
|
||||
msgstr "Alguns valores de definição/substituição são diferentes dos valores armazenados no perfil.\n\nClique para abrir o gestor de perfis."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingView.qml:200
|
||||
msgctxt "@label:textbox"
|
||||
@ -3621,10 +3596,7 @@ msgid ""
|
||||
"Some hidden settings use values different from their normal calculated value.\n"
|
||||
"\n"
|
||||
"Click to make these settings visible."
|
||||
msgstr ""
|
||||
"Algumas das definições invisíveis têm valores diferentes dos valores normais calculados automaticamente.\n"
|
||||
"\n"
|
||||
"Clique para tornar estas definições visíveis."
|
||||
msgstr "Algumas das definições invisíveis têm valores diferentes dos valores normais calculados automaticamente.\n\nClique para tornar estas definições visíveis."
|
||||
|
||||
# rever!
|
||||
# Afeta?
|
||||
@ -3661,10 +3633,7 @@ msgid ""
|
||||
"This setting has a value that is different from the profile.\n"
|
||||
"\n"
|
||||
"Click to restore the value of the profile."
|
||||
msgstr ""
|
||||
"Esta definição tem um valor que é diferente do perfil.\n"
|
||||
"\n"
|
||||
"Clique para restaurar o valor do perfil."
|
||||
msgstr "Esta definição tem um valor que é diferente do perfil.\n\nClique para restaurar o valor do perfil."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:281
|
||||
msgctxt "@label"
|
||||
@ -3672,10 +3641,7 @@ msgid ""
|
||||
"This setting is normally calculated, but it currently has an absolute value set.\n"
|
||||
"\n"
|
||||
"Click to restore the calculated value."
|
||||
msgstr ""
|
||||
"Normalmente, o valor desta definição é calculado, mas atualmente tem definido um valor diferente.\n"
|
||||
"\n"
|
||||
"Clique para restaurar o valor calculado."
|
||||
msgstr "Normalmente, o valor desta definição é calculado, mas atualmente tem definido um valor diferente.\n\nClique para restaurar o valor calculado."
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrinterOutput/ManualPrinterControl.qml:129
|
||||
msgctxt "@label"
|
||||
@ -3908,9 +3874,7 @@ msgctxt "@label:listbox"
|
||||
msgid ""
|
||||
"Print Setup disabled\n"
|
||||
"G-code files cannot be modified"
|
||||
msgstr ""
|
||||
"Configuração da Impressão desativada\n"
|
||||
"Os ficheiros G-code não podem ser modificados"
|
||||
msgstr "Configuração da Impressão desativada\nOs ficheiros G-code não podem ser modificados"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/PrepareSidebar.qml:340
|
||||
msgctxt "@label Hours and minutes"
|
||||
@ -4706,12 +4670,12 @@ msgstr "Lista das Alterações"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Disponibiliza as ações da máquina para atualizar o firmware."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Atualizador de firmware"
|
||||
|
||||
# rever!
|
||||
# contexto!
|
||||
|
@ -171,12 +171,12 @@ msgstr "A coordenada Z da posição onde o nozzle é preparado ao iniciar a impr
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Ventoinha de arrefecimento de impressão do Extrusor"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "O número de ventoinhas de arrefecimento de impressão associadas a este extrusor. Apenas alterar o valor predefinido de 0 quando tiver uma ventoinha de arrefecimento de impressão diferente para cada extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Comandos G-code a serem executados no início – separados por \n"
|
||||
"."
|
||||
msgstr "Comandos G-code a serem executados no início – separados por \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Comandos G-code a serem executados no fim – separados por \n"
|
||||
"."
|
||||
msgstr "Comandos G-code a serem executados no fim – separados por \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1099,7 +1095,7 @@ msgstr "Ligar polígonos superiores/inferiores"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Ligar caminhos de revestimento superiores/inferiores quando as trajetórias são paralelas. Para o padrão concêntrico, ativar esta definição reduz consideravelmente o tempo de deslocação mas, uma vez que as ligações podem suceder num ponto intermediário sobre o enchimento, esta funcionalidade pode reduzir a qualidade da superfície superior."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1559,7 +1555,7 @@ msgstr "Padrão de Enchimento"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "O padrão do material de enchimento da impressão. A direção de troca de enchimento de linha e ziguezague em camadas alternadas, reduzindo os custos de material. Os padrões de grelha, triângulo, tri-hexágono, cubo, octeto, quarto cúbico, cruz e concêntrico são totalmente impressos em cada camada. Os enchimentos Gyroid, cúbico, quarto cúbico e octeto são alterados a cada camada para fornecer uma distribuição mais uniforme da resistência em cada direção."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1624,7 +1620,7 @@ msgstr "Cruz 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroid"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1699,9 +1695,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Adicionar paredes adicionais em torno da área de enchimento. Essas paredes podem fazer com que as linhas de revestimento superiores/inferiores desçam menos, o que significa que são necessárias menos camadas de revestimento superior/inferior para a mesma qualidade à custa de algum material adicional.\n"
|
||||
"Esta funcionalidade pode ser combinada com a opção Ligar polígonos de enchimento para unir todo o enchimento num único caminho de extrusão sem necessidade de deslocações ou retrações, se configurado corretamente."
|
||||
msgstr "Adicionar paredes adicionais em torno da área de enchimento. Essas paredes podem fazer com que as linhas de revestimento superiores/inferiores desçam menos, o que significa que são necessárias menos camadas de revestimento superior/inferior para a mesma qualidade à custa de algum material adicional.\nEsta funcionalidade pode ser combinada com a opção Ligar polígonos de enchimento para unir todo o enchimento num único caminho de extrusão sem necessidade de deslocações ou retrações, se configurado corretamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -3403,32 +3397,32 @@ msgstr "Orientação do padrão de enchimento para suportes. O padrão de enchim
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Ativar borda de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Gera uma borda dentro das regiões de enchimento do suporte da primeira camada. Esta borda é impressa na parte por baixo do suporte e não em torno do mesmo. Ativar esta definição aumenta a aderência do suporte à placa de construção."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Largura da borda do suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "A largura da borda para imprimir na parte por baixo do suporte. Uma borda mais larga melhora a aderência à placa de construção à custa de algum material adicional."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Contagem de linhas da borda do suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "O número de linhas utilizado para a borda do suporte. Uma borda com mais linhas melhora a aderência à placa de construção à custa de algum material adicional."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3971,9 +3965,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"A distância horizontal entre o contorno e o perímetro exterior da primeira camada da impressão.\n"
|
||||
"Esta é a distância mínima. Linhas múltiplas de contorno serão impressas para o exterior."
|
||||
msgstr "A distância horizontal entre o contorno e o perímetro exterior da primeira camada da impressão.\nEsta é a distância mínima. Linhas múltiplas de contorno serão impressas para o exterior."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -4008,12 +4000,12 @@ msgstr "O número de linhas utilizado para uma aba. Um maior número de linhas d
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "A borda substitui o suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Aplicar a borda para ser impressa em torno do modelo, mesmo se esse espaço fosse ocupado de outra forma pelo suporte. Isto substitui algumas regiões da primeira camada do suporte por regiões de borda."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -5462,9 +5454,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"A distância de um movimento ascendente que é extrudido a metade da velocidade.\n"
|
||||
"Isto pode causar melhor aderência às camadas anteriores, sendo que o material nessas camadas não é demasiado aquecido. Aplica-se apenas à impressão de fios."
|
||||
msgstr "A distância de um movimento ascendente que é extrudido a metade da velocidade.\nIsto pode causar melhor aderência às camadas anteriores, sendo que o material nessas camadas não é demasiado aquecido. Aplica-se apenas à impressão de fios."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-10-01 13:25+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:29+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Ruslan Popov <ruslan.popov@gmail.com>, Russian <info@bothof.nl>\n"
|
||||
"Language: ru_RU\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.4\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:22
|
||||
@ -49,7 +49,7 @@ msgstr "Средство записи G-кода (GCodeWriter) не поддер
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Подготовьте G-код перед экспортом."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -78,7 +78,7 @@ msgstr "Показать журнал изменений"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Обновить прошивку"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -441,7 +441,7 @@ msgstr "Модуль PrintCore и/или материал в вашем прин
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:91
|
||||
msgctxt "@info:status"
|
||||
msgid "Connected over the network"
|
||||
msgstr "Подключен по сети."
|
||||
msgstr "Подключен по сети"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:303
|
||||
msgctxt "@info:status"
|
||||
@ -822,7 +822,7 @@ msgstr "Предообратка файла {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Вход не выполнен"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +896,32 @@ msgstr "Невозможно импортировать профиль из <fil
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "Отсутствует собственный профиль для импорта в файл <filename>{0}</filename>"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Не удалось импортировать профиль из <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Данный профиль <filename>{0}</filename> содержит неверные данные, поэтому его невозможно импортировать."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "Принтер, заданный в профиле <filename>{0}</filename> ({1}), не совпадает с вашим текущим принтером ({2}), поэтому его невозможно импортировать."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "Не удалось импортировать профиль из <filename>{0}</filename>:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1408,7 +1408,7 @@ msgstr "Смещение сопла по оси Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Номер охлаждающего вентилятора"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1491,7 +1491,7 @@ msgstr "Обновить"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxInstalledTileActions.qml:31
|
||||
msgctxt "@action:button"
|
||||
msgid "Updating"
|
||||
msgstr "Обновление..."
|
||||
msgstr "Обновление"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxDetailTileActions.qml:46
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxInstalledTileActions.qml:32
|
||||
@ -1512,7 +1512,7 @@ msgstr "Назад"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Подтвердить удаление"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1655,7 +1655,7 @@ msgstr "Закрыть"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Обновить прошивку"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1680,12 @@ msgstr "Залить собственную прошивку"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Невозможно обновить прошивку, так как нет подключения к принтеру."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Невозможно обновить прошивку, так как подключение к принтеру не поддерживает функцию обновления прошивки."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1920,62 +1920,62 @@ msgstr "Ожидание: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Изменение конфигурации"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "Для назначенного принтера %1 требуются следующие изменения конфигурации:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "Принтер %1 назначен, однако в задании указана неизвестная конфигурация материала."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Изменить материал %1 с %2 на %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Загрузите %3 как материал %1 (переопределение этого действия невозможно)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "Изменить экструдер %1 с %2 на %3."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Заменить рабочий стол на %1 (переопределение этого действия невозможно)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Переопределить"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Начало задания печати с несовместимой конфигурацией может привести к повреждению 3D-принтера. Действительно переопределить конфигурацию и печатать %1?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Переопределить конфигурацию и начать печать"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Стекло"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Алюминий"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2000,7 +2000,7 @@ msgstr "Управление принтерами"
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobContextMenu.qml:115
|
||||
msgctxt "@label"
|
||||
msgid "Move to top"
|
||||
msgstr "переместить в начало"
|
||||
msgstr "Переместить в начало"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobContextMenu.qml:124
|
||||
msgctxt "@label"
|
||||
@ -3437,17 +3437,17 @@ msgstr "Вспомогательная библиотека для работы
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Вспомогательная библиотека для работы с плоскими объектами"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Вспомогательная библиотека для работы с треугольными сетками"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Вспомогательная библиотека для анализа сложных сетей"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3457,7 +3457,7 @@ msgstr "Вспомогательная библиотека для работы
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Вспомогательная библиотека для метаданных файла и потоковой передачи"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -4614,12 +4614,12 @@ msgstr "Журнал изменений"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Обеспечение действий принтера для обновления прошивки."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Средство обновления прошивки"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4644,7 +4644,7 @@ msgstr "Печать через USB"
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Ask the user once if he/she agrees with our license."
|
||||
msgstr "Запрашивает согласие пользователя с условиями лицензии"
|
||||
msgstr "Запрашивает согласие пользователя с условиями лицензии."
|
||||
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "name"
|
||||
@ -4704,7 +4704,7 @@ msgstr "Плагин для работы с внешним носителем"
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Manages network connections to Ultimaker 3 printers."
|
||||
msgstr "Управляет сетевыми соединениями с принтерами Ultimaker 3"
|
||||
msgstr "Управляет сетевыми соединениями с принтерами Ultimaker 3."
|
||||
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "name"
|
||||
|
@ -171,12 +171,12 @@ msgstr "Позиция кончика сопла на оси Z при старт
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Охлаждающий вентилятор экструдера, используемый во время печати"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Номер охлаждающего вентилятора, используемого при печати и ассоциированного с этим экструдером. Применяемое по умолчанию значение 0 следует менять только при наличии другого охлаждающего вентилятора, используемого при печати, для каждого экструдера."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:15+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:29+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Ruslan Popov <ruslan.popov@gmail.com>, Russian <info@bothof.nl>\n"
|
||||
"Language: ru_RU\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.4\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"Plural-Forms: nplurals=3; plural=(n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
@ -1079,7 +1079,7 @@ msgstr "Соединение верхних/нижних полигонов"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Соединение верхних/нижних путей оболочки на участках, где они проходят рядом. При использовании концентрического шаблона активация данной настройки значительно сокращает время перемещения, но, учитывая возможность наличия соединений на полпути над заполнением, эта функция может ухудшить качество верхней поверхности."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1419,7 +1419,7 @@ msgstr "Границы разглаживания"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "ironing_inset description"
|
||||
msgid "A distance to keep from the edges of the model. Ironing all the way to the edge of the mesh may result in a jagged edge on your print."
|
||||
msgstr "Расстояние от краёв модели. Разглаживание от края до края может выразится в загибании краёв при печати."
|
||||
msgstr "Расстояние от краёв модели. Разглаживание от края до края может выразиться в загибании краёв при печати."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_ironing label"
|
||||
@ -1499,7 +1499,7 @@ msgstr "Шаблон заполнения"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "Шаблон заполняющего материала печати. Линейное и зигзагообразное заполнение меняет направление на чередующихся слоях, снижая расходы на материал. Шаблоны «сетка», «треугольник», «шестигранник из треугольников», «куб», «восьмигранник», «четверть куба», «крестовое», «концентрическое» полностью печатаются в каждом слое. Шаблоны заполнения «гироид», «куб», «четверть куба» и «восьмигранник» меняются в каждом слое, чтобы обеспечить более равномерное распределение прочности в каждом направлении."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1564,7 +1564,7 @@ msgstr "Крестовое 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Гироид"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1868,7 +1868,7 @@ msgstr "Температура сопла"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "default_material_print_temperature description"
|
||||
msgid "The default temperature used for printing. This should be the \"base\" temperature of a material. All other print temperatures should use offsets based on this value"
|
||||
msgstr "Стандартная температура сопла, используемая при печати. Значением должна быть \"базовая\" температура для материала. Все другие температуры печати должны быть выражены смещениями от основного значения."
|
||||
msgstr "Стандартная температура сопла, используемая при печати. Значением должна быть \"базовая\" температура для материала. Все другие температуры печати должны быть выражены смещениями от основного значения"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_print_temperature label"
|
||||
@ -3018,7 +3018,7 @@ msgstr "Обычная скорость вентилятора на слое"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "cool_fan_full_layer description"
|
||||
msgid "The layer at which the fans spin on regular fan speed. If regular fan speed at height is set, this value is calculated and rounded to a whole number."
|
||||
msgstr "Слой, на котором вентилятор должен вращаться с обыкновенной скорость. Если определена обычная скорость для вентилятора на высоте, это значение вычисляется и округляется до целого."
|
||||
msgstr "Слой, на котором вентилятор должен вращаться с обыкновенной скоростью. Если определена обычная скорость для вентилятора на высоте, это значение вычисляется и округляется до целого."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "cool_min_layer_time label"
|
||||
@ -3273,32 +3273,32 @@ msgstr "Ориентация шаблона заполнения для подд
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Разрешить кайму поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Создайте кайму внутри участков заполнения поддержек первого слоя. Эта кайма печатается под поддержкой, а не вокруг нее. Включение этого параметра увеличивает адгезию поддержки к рабочему столу."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Ширина каймы поддержки"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Ширина каймы для печати под поддержкой. При увеличении каймы улучшается адгезия к рабочему столу и увеличивается расход материала."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Количество линий каймы поддержки"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Количество линий, используемых для каймы поддержки. При увеличении линий каймы улучшается адгезия к рабочему столу и увеличивается расход материала."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3428,7 +3428,7 @@ msgstr "Степень заполнения поддержек"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_support_infill_steps description"
|
||||
msgid "Number of times to reduce the support infill density by half when getting further below top surfaces. Areas which are closer to top surfaces get a higher density, up to the Support Infill Density."
|
||||
msgstr "Количество раз, на которое на половину можно уменьшать плотность заполнения поддержек при прохоже вглубь структуры от поверхности. Области ближе к оболочке имеют большую плотность, вплоть до значения \"Плотность заполнения поддержек\"."
|
||||
msgstr "Количество раз, на которое на половину можно уменьшать плотность заполнения поддержек при проходе вглубь структуры от поверхности. Области ближе к оболочке имеют большую плотность, вплоть до значения \"Плотность заполнения поддержек\"."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_support_infill_step_height label"
|
||||
@ -3872,12 +3872,12 @@ msgstr "Количество линий, используемых для печ
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Кайма заменяет поддержку"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Принудительная печать каймы вокруг модели, даже если пространство в ином случае было бы занято поддержкой. При этом некоторые участки первого слоя поддержки заменяются участками каймы."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -4567,7 +4567,7 @@ msgstr "Сглаживает спиральные контуры для умен
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "relative_extrusion label"
|
||||
msgid "Relative Extrusion"
|
||||
msgstr "Отностительная экструзия"
|
||||
msgstr "Относительная экструзия"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "relative_extrusion description"
|
||||
@ -5002,7 +5002,7 @@ msgstr "Максимальный угол спагетти заполнения"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "spaghetti_max_infill_angle description"
|
||||
msgid "The maximum angle w.r.t. the Z axis of the inside of the print for areas which are to be filled with spaghetti infill afterwards. Lowering this value causes more angled parts in your model to be filled on each layer."
|
||||
msgstr "Максимальный угол по отношению к оси Z внутри печатаемого объёма для заполняемых областей. Уменьшение этого значения приводит к тому, что более наклонённый части вашей модели будут заполнены на каждом слое."
|
||||
msgstr "Максимальный угол по отношению к оси Z внутри печатаемого объёма для заполняемых областей. Уменьшение этого значения приводит к тому, что более наклонённые части вашей модели будут заполнены на каждом слое."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "spaghetti_max_height label"
|
||||
@ -5306,7 +5306,7 @@ msgstr "Падение (КП)"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_fall_down description"
|
||||
msgid "Distance with which the material falls down after an upward extrusion. This distance is compensated for. Only applies to Wire Printing."
|
||||
msgstr "Расстояние с которой материал падает вниз после восходящего выдавливания. Расстояние компенсируется. Применяется только при каркасной печати."
|
||||
msgstr "Расстояние, с которого материал падает вниз после восходящего выдавливания. Расстояние компенсируется. Применяется только при каркасной печати."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_drag_along label"
|
||||
@ -5426,7 +5426,7 @@ msgstr "Разница между высотой следующего слоя
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adaptive_layer_height_threshold label"
|
||||
msgid "Adaptive layers threshold"
|
||||
msgstr "Порог для адаптивных слове"
|
||||
msgstr "Порог для адаптивных слоев"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adaptive_layer_height_threshold description"
|
||||
@ -5671,7 +5671,7 @@ msgstr "X позиция объекта"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_position_x description"
|
||||
msgid "Offset applied to the object in the x direction."
|
||||
msgstr "Смещение, применяемое к объект по оси X."
|
||||
msgstr "Смещение, применяемое к объекту по оси X."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_position_y label"
|
||||
@ -5681,7 +5681,7 @@ msgstr "Y позиция объекта"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_position_y description"
|
||||
msgid "Offset applied to the object in the y direction."
|
||||
msgstr "Смещение, применяемое к объект по оси Y."
|
||||
msgstr "Смещение, применяемое к объекту по оси Y."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_position_z label"
|
||||
@ -5691,7 +5691,7 @@ msgstr "Z позиция объекта"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_position_z description"
|
||||
msgid "Offset applied to the object in the z direction. With this you can perform what was used to be called 'Object Sink'."
|
||||
msgstr "Смещение, применяемое к объект по оси Z. Это позволяет выполнять операцию, ранее известную как проваливание объекта под поверхность стола."
|
||||
msgstr "Смещение, применяемое к объекту по оси Z. Это позволяет выполнять операцию, ранее известную как проваливание объекта под поверхность стола."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_rotation_matrix label"
|
||||
@ -5701,7 +5701,7 @@ msgstr "Матрица вращения объекта"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_rotation_matrix description"
|
||||
msgid "Transformation matrix to be applied to the model when loading it from file."
|
||||
msgstr "Матрица преобразования, применяемая к модели при её загрузки из файла."
|
||||
msgstr "Матрица преобразования, применяемая к модели при её загрузке из файла."
|
||||
|
||||
#~ msgctxt "connect_skin_polygons description"
|
||||
#~ msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happend midway over infill this feature can reduce the top surface quality."
|
||||
|
@ -8,13 +8,15 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-10-01 13:40+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:33+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Turkish\n"
|
||||
"Language: tr_TR\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:22
|
||||
msgctxt "@action"
|
||||
@ -47,7 +49,7 @@ msgstr "GCodeWriter metin dışı modu desteklemez."
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "Lütfen dışa aktarmadan önce G-code'u hazırlayın."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -76,7 +78,7 @@ msgstr "Değişiklik Günlüğünü Göster"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Aygıt Yazılımını Güncelle"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -171,7 +173,7 @@ msgstr "Yazılacak dosya biçimleri mevcut değil!"
|
||||
#, python-brace-format
|
||||
msgctxt "@info:progress Don't translate the XML tags <filename>!"
|
||||
msgid "Saving to Removable Drive <filename>{0}</filename>"
|
||||
msgstr "Çıkarılabilir Sürücü <filename>{0}</filename> Üzerine Kaydediliyor "
|
||||
msgstr "Çıkarılabilir Sürücü <filename>{0}</filename> Üzerine Kaydediliyor"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/RemovableDriveOutputDevice/RemovableDriveOutputDevice.py:94
|
||||
msgctxt "@info:title"
|
||||
@ -439,7 +441,7 @@ msgstr "Yazıcınızda bulunan PrintCore’lar ve/veya malzemeler geçerli proje
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:91
|
||||
msgctxt "@info:status"
|
||||
msgid "Connected over the network"
|
||||
msgstr "Ağ üzerinden bağlandı."
|
||||
msgstr "Ağ üzerinden bağlandı"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:303
|
||||
msgctxt "@info:status"
|
||||
@ -513,7 +515,7 @@ msgstr "Katman görünümü"
|
||||
#: /home/ruben/Projects/Cura/plugins/SimulationView/SimulationView.py:113
|
||||
msgctxt "@info:status"
|
||||
msgid "Cura does not accurately display layers when Wire Printing is enabled"
|
||||
msgstr "Tel Yazma etkinleştirildiğinde, Cura katmanları doğru olarak görüntülemez."
|
||||
msgstr "Tel Yazma etkinleştirildiğinde, Cura katmanları doğru olarak görüntülemez"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/SimulationView/SimulationView.py:114
|
||||
msgctxt "@info:title"
|
||||
@ -552,7 +554,7 @@ msgstr "Daha fazla bilgi"
|
||||
#: /home/ruben/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:58
|
||||
msgctxt "@action:tooltip"
|
||||
msgid "See more information on what data Cura sends."
|
||||
msgstr "Cura’nın gönderdiği veriler hakkında daha fazla bilgi alın"
|
||||
msgstr "Cura’nın gönderdiği veriler hakkında daha fazla bilgi alın."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/SliceInfoPlugin/SliceInfo.py:60
|
||||
msgctxt "@action:button"
|
||||
@ -651,7 +653,7 @@ msgstr "Bilgi"
|
||||
#: /home/ruben/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:14
|
||||
msgctxt "@label"
|
||||
msgid "Per Model Settings"
|
||||
msgstr "Model Başına Ayarlar "
|
||||
msgstr "Model Başına Ayarlar"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/PerObjectSettingsTool/__init__.py:15
|
||||
msgctxt "@info:tooltip"
|
||||
@ -820,7 +822,7 @@ msgstr "Önceden dilimlenmiş dosya {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "Giriş başarısız"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -894,32 +896,32 @@ msgstr "<filename>{0}</filename> dosyasından profil içe aktarımı başarısı
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename> dosyasında içe aktarılabilecek özel profil yok"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename> dosyasından profil içe aktarımı başarısız oldu:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "Bu <filename>{0}</filename> profili yanlış veri içeriyor, içeri aktarılamadı."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename> ({1}) profilinde tanımlanan makine, mevcut makineniz ({2}) ile eşleşmiyor, içe aktarılamadı."
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "<filename>{0}</filename> dosyasından profil içe aktarımı başarısız oldu:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1406,7 +1408,7 @@ msgstr "Nozül Y ofseti"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "Soğutma Fanı Numarası"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1510,7 +1512,7 @@ msgstr "Geri"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "Kaldırmayı onayla"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1653,7 +1655,7 @@ msgstr "Kapat"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "Aygıt Yazılımını Güncelle"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1678,12 +1680,12 @@ msgstr "Özel Aygıt Yazılımı Yükle"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "Yazıcı ile bağlantı kurulmadığı için aygıt yazılımı güncellenemiyor."
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "Yazıcı bağlantısı aygıt yazılımını yükseltmeyi desteklemediği için aygıt yazılımı güncellenemiyor."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1918,62 +1920,62 @@ msgstr "Bekleniyor: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "Yapılandırma değişikliği"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "Atanan yazıcı %1, aşağıdaki yapılandırma değişikliklerini gerektiriyor:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "Yazıcı %1 atandı, fakat iş bilinmeyen bir malzeme yapılandırması içeriyor."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "%2 olan %1 malzemesini %3 yapın."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "%3 malzemesini %1 malzemesi olarak yükleyin (Bu işlem geçersiz kılınamaz)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "%2 olan %1 print core'u %3 yapın."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "Baskı tablasını %1 olarak değiştirin (Bu işlem geçersiz kılınamaz)."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "Geçersiz kıl"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "Bir yazdırma işini uyumsuz bir yapılandırmayla başlatmak 3D yazıcınıza zarar verebilir. Yapılandırmayı geçersiz kılmak ve %1 öğesini yazdırmak istediğinizden emin misiniz?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "Yapılandırmayı geçersiz kıl ve yazdırmayı başlat"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "Cam"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "Alüminyum"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2257,7 +2259,7 @@ msgstr "Daha koyu olan daha yüksek"
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:149
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "The amount of smoothing to apply to the image."
|
||||
msgstr "Resme uygulanacak düzeltme miktarı"
|
||||
msgstr "Resme uygulanacak düzeltme miktarı."
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:154
|
||||
msgctxt "@action:label"
|
||||
@ -2640,7 +2642,7 @@ msgstr "Hazırlanıyor..."
|
||||
#: /home/ruben/Projects/Cura/resources/qml/MonitorButton.qml:154
|
||||
msgctxt "@label:MonitorStatus"
|
||||
msgid "Please remove the print"
|
||||
msgstr "Lütfen yazıcıyı çıkarın "
|
||||
msgstr "Lütfen yazıcıyı çıkarın"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/MonitorButton.qml:325
|
||||
msgctxt "@label"
|
||||
@ -2979,7 +2981,7 @@ msgstr "Dışarıda kalan alanı göster"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:355
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "Moves the camera so the model is in the center of the view when a model is selected"
|
||||
msgstr "Bir model seçildiğinde bu model görüntünün ortasında kalacak şekilde kamera hareket eder."
|
||||
msgstr "Bir model seçildiğinde bu model görüntünün ortasında kalacak şekilde kamera hareket eder"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:360
|
||||
msgctxt "@action:button"
|
||||
@ -3433,17 +3435,17 @@ msgstr "STL dosyalarının işlenmesi için destek kitaplığı"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "Düzlemsel nesnelerin işlenmesi için destek kitaplığı"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "Üçgen birleşimlerin işlenmesi için destek kitaplığı"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "Karmaşık ağların analizi için destek kitaplığı"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3453,7 +3455,7 @@ msgstr "3MF dosyalarının işlenmesi için destek kitaplığı"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "Dosya meta verileri ve akış için destek kitaplığı"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -4604,12 +4606,12 @@ msgstr "Değişiklik Günlüğü"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "Aygıt yazılımını güncellemeye yönelik makine eylemleri sağlar."
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "Aygıt Yazılımı Güncelleyici"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4634,7 +4636,7 @@ msgstr "USB yazdırma"
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Ask the user once if he/she agrees with our license."
|
||||
msgstr "Kullanıcıya bir kez lisansımızı kabul edip etmediğini sorun"
|
||||
msgstr "Kullanıcıya bir kez lisansımızı kabul edip etmediğini sorun."
|
||||
|
||||
#: UserAgreement/plugin.json
|
||||
msgctxt "name"
|
||||
@ -4694,7 +4696,7 @@ msgstr "Çıkarılabilir Sürücü Çıkış Cihazı Eklentisi"
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Manages network connections to Ultimaker 3 printers."
|
||||
msgstr "Ultimaker 3 yazıcıları için ağ bağlantılarını yönetir"
|
||||
msgstr "Ultimaker 3 yazıcıları için ağ bağlantılarını yönetir."
|
||||
|
||||
#: UM3NetworkPrinting/plugin.json
|
||||
msgctxt "name"
|
||||
|
@ -169,12 +169,12 @@ msgstr "Nozül yazdırma işlemini başlatmaya hazırlandığında konumun Z koo
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Ekstrüder Yazıcı Soğutma Fanı"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Bu ekstrüdere bağlı yazıcı soğutma fanı sayısı. Yalnızca her bir ekstrüder için farklı yazıcı soğutma fanınız varsa bunu 0 varsayılan değeri olarak değiştirin."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,13 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:20+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:36+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Turkish\n"
|
||||
"Language: tr_TR\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -1077,7 +1078,7 @@ msgstr "Üst/Alt Poligonları Bağla"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Üst/alt yüzey yollarını yan yana ise bağla. Eş merkezli şekil için bu ayarı etkinleştirmek, hareket süresini önemli ölçüde kısaltır ancak bağlantılar dolgunun üzerinde meydana gelebileceğinden bu özellik üst yüzeyin kalitesini düşürebilir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1497,7 +1498,7 @@ msgstr "Dolgu Şekli"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "Baskının dolgu malzemesinin şeklidir. Hat ve zikzak dolgu, farklı katmanlar üzerinde yön değiştirerek malzeme maliyetini azaltır. Izgara, üçgen, üçlü altıgen, kübik, sekizlik, çeyrek kübik, çapraz ve eşmerkezli şekiller, her katmana tam olarak basılır. Gyroid, kübik, çeyrek kübik ve sekizlik dolgu, her yönde daha eşit bir kuvvet dağılımı sağlamak için her katmanda değişir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1562,7 +1563,7 @@ msgstr "Çapraz 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroid"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1866,7 +1867,7 @@ msgstr "Varsayılan Yazdırma Sıcaklığı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "default_material_print_temperature description"
|
||||
msgid "The default temperature used for printing. This should be the \"base\" temperature of a material. All other print temperatures should use offsets based on this value"
|
||||
msgstr "Yazdırma için kullanılan varsayılan sıcaklık. Bu sıcaklık malzemenin “temel” sıcaklığı olmalıdır. Diğer tüm yazıcı sıcaklıkları bu değere dayanan ofsetler kullanmalıdır."
|
||||
msgstr "Yazdırma için kullanılan varsayılan sıcaklık. Bu sıcaklık malzemenin “temel” sıcaklığı olmalıdır. Diğer tüm yazıcı sıcaklıkları bu değere dayanan ofsetler kullanmalıdır"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_print_temperature label"
|
||||
@ -1896,7 +1897,7 @@ msgstr "İlk Yazdırma Sıcaklığı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_initial_print_temperature description"
|
||||
msgid "The minimal temperature while heating up to the Printing Temperature at which printing can already start."
|
||||
msgstr "Yazdırmanın başlayacağı Yazdırma Sıcaklığına ulaşırken görülen minimum sıcaklık"
|
||||
msgstr "Yazdırmanın başlayacağı Yazdırma Sıcaklığına ulaşırken görülen minimum sıcaklık."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_final_print_temperature label"
|
||||
@ -1926,7 +1927,7 @@ msgstr "Varsayılan Yapı Levhası Sıcaklığı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "default_material_bed_temperature description"
|
||||
msgid "The default temperature used for the heated build plate. This should be the \"base\" temperature of a build plate. All other print temperatures should use offsets based on this value"
|
||||
msgstr "Isınan yapı levhası için kullanılan varsayılan sıcaklık. Bu sıcaklık yapı levhasının “temel” sıcaklığı olmalıdır. Diğer tüm yazıcı sıcaklıkları bu değere dayanan ofsetler kullanmalıdır."
|
||||
msgstr "Isınan yapı levhası için kullanılan varsayılan sıcaklık. Bu sıcaklık yapı levhasının “temel” sıcaklığı olmalıdır. Diğer tüm yazıcı sıcaklıkları bu değere dayanan ofsetler kullanmalıdır"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_bed_temperature label"
|
||||
@ -2016,7 +2017,7 @@ msgstr "Katman Değişimindeki Geri Çekme"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retract_at_layer_change description"
|
||||
msgid "Retract the filament when the nozzle is moving to the next layer."
|
||||
msgstr "Nozül bir sonraki katmana doğru hareket ettiğinde filamanı geri çekin. "
|
||||
msgstr "Nozül bir sonraki katmana doğru hareket ettiğinde filamanı geri çekin."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_amount label"
|
||||
@ -3271,32 +3272,32 @@ msgstr "Destekler için dolgu şeklinin döndürülmesi. Destek dolgu şekli yat
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Destek Kenarını Etkinleştir"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "İlk katmanın destek dolgu alanı içinde bir kenar oluşturun. Bu kenar, desteğin çevresine değil, altına yazdırılır. Bu ayarı etkinleştirmek, desteğin baskı tablasına yapışma alanını artırır."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Destek Kenar Genişliği"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Desteğin altına yazdırılacak kenarın genişliği. Daha geniş kenar, ekstra malzeme karşılığında baskı tablasına daha fazla alanın yapışacağı anlamına gelir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Destek Kenar Hattı Sayısı"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Bir destek kenarı için kullanılan hatların sayısı. Daha fazla kenar hattı, ekstra malzeme karşılığında baskı tablasına daha fazla alanın yapışacağı anlamına gelir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3476,7 +3477,7 @@ msgstr "Destek Arayüzü Kalınlığı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_height description"
|
||||
msgid "The thickness of the interface of the support where it touches with the model on the bottom or the top."
|
||||
msgstr "Alt veya üst kısımdaki modele değdiği yerde destek arayüzü kalınlığı"
|
||||
msgstr "Alt veya üst kısımdaki modele değdiği yerde destek arayüzü kalınlığı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_height label"
|
||||
@ -3870,12 +3871,12 @@ msgstr "Bir kenar için kullanılan hatların sayısı Daha fazla kenar hattı y
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Kenar, Desteği Değiştirir"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "İlgili alan üzerinde destek olsa bile kenarı modelin çevresine yazdırmaya zorlayın. Desteğin ilk katmanının bazı alanlarını kenar alanları ile değiştirir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
@ -4155,7 +4156,7 @@ msgstr "Radye Fan Hızı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_fan_speed description"
|
||||
msgid "The fan speed for the raft."
|
||||
msgstr "Radye için fan hızı"
|
||||
msgstr "Radye için fan hızı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_surface_fan_speed label"
|
||||
@ -4165,7 +4166,7 @@ msgstr "Radye Üst Fan Hızı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_surface_fan_speed description"
|
||||
msgid "The fan speed for the top raft layers."
|
||||
msgstr "Üst radye katmanları için fan hızı"
|
||||
msgstr "Üst radye katmanları için fan hızı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_interface_fan_speed label"
|
||||
@ -4175,7 +4176,7 @@ msgstr "Radyenin Orta Fan Hızı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_interface_fan_speed description"
|
||||
msgid "The fan speed for the middle raft layer."
|
||||
msgstr "Radyenin orta katmanı için fan hızı"
|
||||
msgstr "Radyenin orta katmanı için fan hızı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_base_fan_speed label"
|
||||
@ -4185,7 +4186,7 @@ msgstr "Radyenin Taban Fan Hızı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_base_fan_speed description"
|
||||
msgid "The fan speed for the base raft layer."
|
||||
msgstr "Radyenin taban katmanı için fan hızı"
|
||||
msgstr "Radyenin taban katmanı için fan hızı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "dual label"
|
||||
@ -4225,7 +4226,7 @@ msgstr "İlk Direk Boyutu"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_size description"
|
||||
msgid "The width of the prime tower."
|
||||
msgstr "İlk Direk Genişliği"
|
||||
msgstr "İlk Direk Genişliği."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_min_volume label"
|
||||
@ -5699,7 +5700,7 @@ msgstr "Bileşim Rotasyon Matrisi"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "mesh_rotation_matrix description"
|
||||
msgid "Transformation matrix to be applied to the model when loading it from file."
|
||||
msgstr "Modeli dosyadan indirirken modele uygulanacak olan dönüşüm matrisi"
|
||||
msgstr "Modeli dosyadan indirirken modele uygulanacak olan dönüşüm matrisi."
|
||||
|
||||
#~ msgctxt "connect_skin_polygons description"
|
||||
#~ msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happend midway over infill this feature can reduce the top surface quality."
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-10-01 13:45+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:38+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: PCDotFan <pc@edu.ax>, Bothof <info@bothof.nl>\n"
|
||||
"Language: zh_CN\n"
|
||||
@ -16,7 +16,7 @@ msgstr ""
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=1; plural=0;\n"
|
||||
"X-Generator: Poedit 1.8.13\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:22
|
||||
msgctxt "@action"
|
||||
@ -49,7 +49,7 @@ msgstr "GCodeWriter 不支持非文本模式。"
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "导出前请先准备 G-code。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -78,7 +78,7 @@ msgstr "显示更新日志"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "更新固件"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -290,7 +290,7 @@ msgstr "已通过网络连接,但没有打印机的控制权限。"
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/LegacyUM3OutputDevice.py:97
|
||||
msgctxt "@info:status"
|
||||
msgid "Access to the printer requested. Please approve the request on the printer"
|
||||
msgstr "已发送打印机访问请求,请在打印机上批准该请求。"
|
||||
msgstr "已发送打印机访问请求,请在打印机上批准该请求"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/LegacyUM3OutputDevice.py:100
|
||||
msgctxt "@info:title"
|
||||
@ -441,7 +441,7 @@ msgstr "打印机上的打印头和/或材料与当前项目中的不同。 为
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:91
|
||||
msgctxt "@info:status"
|
||||
msgid "Connected over the network"
|
||||
msgstr "已通过网络连接。"
|
||||
msgstr "已通过网络连接"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/src/ClusterUM3OutputDevice.py:303
|
||||
msgctxt "@info:status"
|
||||
@ -822,7 +822,7 @@ msgstr "预切片文件 {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "登录失败"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -896,32 +896,32 @@ msgstr "无法从 <filename> {0} </filename> 导入配置文件: <message>{1}<
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "没有可导入文件 <filename>{0}</filename> 的自定义配置文件"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "无法从 <filename>{0}</filename> 导入配置文件:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "此配置文件 <filename>{0}</filename> 包含错误数据,无法导入。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "配置文件 <filename>{0}</filename> ({1}) 中定义的机器与当前机器 ({2}) 不匹配,无法导入。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "无法从 <filename>{0}</filename> 导入配置文件:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1408,7 +1408,7 @@ msgstr "喷嘴偏移 Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "冷却风扇数量"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1512,7 +1512,7 @@ msgstr "背部"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "确认卸载"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1655,7 +1655,7 @@ msgstr "关闭"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "更新固件"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1680,12 +1680,12 @@ msgstr "上传自定义固件"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "未连接打印机,无法更新固件。"
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "与打印机间的连接不支持固件更新,因此无法更新固件。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1920,62 +1920,62 @@ msgstr "等待: "
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "配置更改"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "分配的打印机 %1 需要以下配置更改:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "已向打印机 %1 分配作业,但作业包含未知的材料配置。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "将材料 %1 从 %2 更改为 %3。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "将 %3 作为材料 %1 进行加载(此操作无法覆盖)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "将 Print Core %1 从 %2 更改为 %3。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "将打印平台更改为 %1(此操作无法覆盖)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "覆盖"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "使用不兼容的配置启动打印作业可能会损坏 3D 打印机。您确定要覆盖配置并打印 %1 吗?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "覆盖配置并开始打印"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "玻璃"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "铝"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2204,7 +2204,7 @@ msgstr "转换图像..."
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:33
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "The maximum distance of each pixel from \"Base.\""
|
||||
msgstr "每个像素与底板的最大距离。"
|
||||
msgstr "每个像素与底板的最大距离"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:38
|
||||
msgctxt "@action:label"
|
||||
@ -2234,7 +2234,7 @@ msgstr "宽度 (mm)"
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:103
|
||||
msgctxt "@info:tooltip"
|
||||
msgid "The depth in millimeters on the build plate"
|
||||
msgstr "打印平台深度,以毫米为单位。"
|
||||
msgstr "打印平台深度,以毫米为单位"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ImageReader/ConfigUI.qml:108
|
||||
msgctxt "@action:label"
|
||||
@ -2523,7 +2523,7 @@ msgstr "开始打印机检查"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:80
|
||||
msgctxt "@label"
|
||||
msgid "Connection: "
|
||||
msgstr "连接:"
|
||||
msgstr "连接: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:89
|
||||
msgctxt "@info:status"
|
||||
@ -2538,7 +2538,7 @@ msgstr "未连接"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:99
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop X: "
|
||||
msgstr "X Min 限位开关:"
|
||||
msgstr "X Min 限位开关: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:109
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:130
|
||||
@ -2559,17 +2559,17 @@ msgstr "未检查"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:120
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop Y: "
|
||||
msgstr "Y Min 限位开关:"
|
||||
msgstr "Y Min 限位开关: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:141
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop Z: "
|
||||
msgstr "Z Min 限位开关:"
|
||||
msgstr "Z Min 限位开关: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:163
|
||||
msgctxt "@label"
|
||||
msgid "Nozzle temperature check: "
|
||||
msgstr "检查喷嘴温度:"
|
||||
msgstr "检查喷嘴温度: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:187
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:248
|
||||
@ -3109,7 +3109,7 @@ msgstr "打开项目文件时的默认行为"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:557
|
||||
msgctxt "@window:text"
|
||||
msgid "Default behavior when opening a project file: "
|
||||
msgstr "打开项目文件时的默认行为:"
|
||||
msgstr "打开项目文件时的默认行为: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:571
|
||||
msgctxt "@option:openProject"
|
||||
@ -3433,17 +3433,17 @@ msgstr "用于处理 STL 文件的支持库"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "用于处理平面对象的支持库"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "用于处理三角网格的支持库"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "用于分析复杂网络的支持库"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3453,7 +3453,7 @@ msgstr "用于处理 3MF 文件的支持库"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "用于文件元数据和流媒体的支持库"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -3571,7 +3571,7 @@ msgstr "影响"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:66
|
||||
msgctxt "@label Header for list of settings."
|
||||
msgid "Affected By"
|
||||
msgstr "受影响项目:"
|
||||
msgstr "受影响项目"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:155
|
||||
msgctxt "@label"
|
||||
@ -3581,7 +3581,7 @@ msgstr "此设置始终在所有挤出机之间共享。在此处更改它将改
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:158
|
||||
msgctxt "@label"
|
||||
msgid "The value is resolved from per-extruder values "
|
||||
msgstr "该值将会根据每一个挤出机的设置而确定"
|
||||
msgstr "该值将会根据每一个挤出机的设置而确定 "
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Settings/SettingItem.qml:189
|
||||
msgctxt "@label"
|
||||
@ -3762,7 +3762,7 @@ msgstr "打印平台(&B)"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:13
|
||||
msgctxt "@action:inmenu"
|
||||
msgid "Visible Settings"
|
||||
msgstr "可见设置:"
|
||||
msgstr "可见设置"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Menus/SettingVisibilityPresetsMenu.qml:42
|
||||
msgctxt "@action:inmenu"
|
||||
@ -4478,7 +4478,7 @@ msgstr "引擎日志"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/SidebarHeader.qml:70
|
||||
msgctxt "@label"
|
||||
msgid "Printer type"
|
||||
msgstr "打印机类型:"
|
||||
msgstr "打印机类型"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/SidebarHeader.qml:376
|
||||
msgctxt "@label"
|
||||
@ -4598,12 +4598,12 @@ msgstr "更新日志"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "为固件更新提供操作选项。"
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "固件更新程序"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
@ -4718,7 +4718,7 @@ msgstr "固件更新检查程序"
|
||||
#: SimulationView/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides the Simulation view."
|
||||
msgstr "提供仿真视图"
|
||||
msgstr "提供仿真视图。"
|
||||
|
||||
#: SimulationView/plugin.json
|
||||
msgctxt "name"
|
||||
|
@ -171,12 +171,12 @@ msgstr "打印开始时,喷头在 Z 轴坐标上的起始位置."
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "挤出机打印冷却风扇"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "打印冷却风扇的数量与该挤出机有关。仅在每个挤出机都对应不同的打印冷却风扇时,对默认值 0 进行更改。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:20+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:38+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: PCDotFan <pc@edu.ax>, Bothof <info@bothof.nl>\n"
|
||||
"Language: zh_CN\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 1.8.13\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"Plural-Forms: nplurals=1; plural=0;\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
@ -84,7 +84,7 @@ msgstr "材料 GUID"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid description"
|
||||
msgid "GUID of the material. This is set automatically. "
|
||||
msgstr "材料 GUID,此项为自动设置。"
|
||||
msgstr "材料 GUID,此项为自动设置。 "
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_diameter label"
|
||||
@ -239,7 +239,7 @@ msgstr "挤出机组数目。 挤出机组是指进料装置、鲍登管和喷
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "extruders_enabled_count label"
|
||||
msgid "Number of Extruders that are enabled"
|
||||
msgstr "已启用的挤出机数目。"
|
||||
msgstr "已启用的挤出机数目"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "extruders_enabled_count description"
|
||||
@ -554,7 +554,7 @@ msgstr "X 轴方向电机的最大加速度"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_max_acceleration_y label"
|
||||
msgid "Maximum Acceleration Y"
|
||||
msgstr " 轴最大加速度"
|
||||
msgstr "轴最大加速度"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_max_acceleration_y description"
|
||||
@ -854,7 +854,7 @@ msgstr "单一支撑底板走线宽度。"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_line_width label"
|
||||
msgid "Prime Tower Line Width"
|
||||
msgstr "装填塔走线宽度。"
|
||||
msgstr "装填塔走线宽度"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_line_width description"
|
||||
@ -1079,7 +1079,7 @@ msgstr "连接顶部/底部多边形"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "在顶部/底部皮肤路径互相紧靠运行的地方连接它们。对于同心图案,启用此设置可大大减少空驶时间,但由于连接可在填充中途发生,此功能可能会降低顶部表面质量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1499,7 +1499,7 @@ msgstr "填充图案"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "打印填充材料的图案。线条和锯齿形填充在交替层上交换方向,从而降低材料成本。网格、三角形、内六角、立方体、八角形、四面体、交叉和同心图案在每层完整打印。螺旋二十四面体、立方体、四面体和八角形填充随每层变化,以在各个方向提供更均衡的强度分布。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1564,7 +1564,7 @@ msgstr "交叉 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "螺旋二十四面体"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -3273,32 +3273,32 @@ msgstr "用于支撑的填充图案的方向。支撑填充图案在水平面中
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "启用支撑 Brim"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "在第一层的支撑填充区域内生成一个 Brim。此 Brim 在支撑下方打印,而非周围。启用此设置会增强支撑与打印平台的附着。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "支撑 Brim 宽度"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "在支撑下方要打印的 Brim 的宽度。较大的 Brim 可增强与打印平台的附着,但也会增加一些额外材料成本。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "支撑 Brim 走线次数"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "用于支撑 Brim 的走线数量。更多 Brim 走线可增强与打印平台的附着,但也会增加一些额外材料成本。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3872,12 +3872,12 @@ msgstr "brim 所用走线数量。 更多 brim 走线可增强与打印平台的
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Brim 替换支撑"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "强制围绕模型打印 Brim,即使该空间本该由支撑占据。此操作会将第一层的某些支撑区域替换为 Brim 区域。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0100\n"
|
||||
"PO-Revision-Date: 2018-10-02 10:25+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:39+0100\n"
|
||||
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language: zh_TW\n"
|
||||
@ -16,7 +16,7 @@ msgstr ""
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=1; plural=0;\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.py:22
|
||||
msgctxt "@action"
|
||||
@ -49,7 +49,7 @@ msgstr "G-code 寫入器不支援非文字模式。"
|
||||
#: /home/ruben/Projects/Cura/plugins/GCodeWriter/GCodeWriter.py:89
|
||||
msgctxt "@warning:status"
|
||||
msgid "Please prepare G-code before exporting."
|
||||
msgstr ""
|
||||
msgstr "匯出前請先將 G-code 準備好。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ModelChecker/ModelChecker.py:30
|
||||
msgctxt "@info:title"
|
||||
@ -78,7 +78,7 @@ msgstr "顯示更新日誌"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.py:25
|
||||
msgctxt "@action"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "更新韌體"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/ProfileFlattener/ProfileFlattener.py:23
|
||||
msgctxt "@item:inmenu"
|
||||
@ -823,7 +823,7 @@ msgstr "預切片檔案 {0}"
|
||||
#: /home/ruben/Projects/Cura/cura/API/Account.py:71
|
||||
msgctxt "@info:title"
|
||||
msgid "Login failed"
|
||||
msgstr ""
|
||||
msgstr "登入失敗"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/ContainerManager.py:201
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:121
|
||||
@ -897,32 +897,32 @@ msgstr "無法從 <filename>{0}</filename> 匯入列印參數:<message>{1}</me
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "No custom profile to import in file <filename>{0}</filename>"
|
||||
msgstr ""
|
||||
msgstr "檔案 <filename>{0}</filename> 內沒有自訂列印參數可匯入"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:194
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "從 <filename>{0}</filename> 匯入列印參數失敗:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:218
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:228
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "This profile <filename>{0}</filename> contains incorrect data, could not import it."
|
||||
msgstr ""
|
||||
msgstr "列印參數 <filename>{0}</filename> 含有不正確的資料,無法匯入。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:241
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename>!"
|
||||
msgid "The machine defined in profile <filename>{0}</filename> ({1}) doesn't match with your current machine ({2}), could not import it."
|
||||
msgstr ""
|
||||
msgstr "列印參數 <filename>{0}</filename> 內定義的機器({1})與你目前的機器({2})不匹配, 無法匯入。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:312
|
||||
#, python-brace-format
|
||||
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
|
||||
msgid "Failed to import profile from <filename>{0}</filename>:"
|
||||
msgstr ""
|
||||
msgstr "從 <filename>{0}</filename> 匯入列印參數失敗:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/cura/Settings/CuraContainerRegistry.py:315
|
||||
#, python-brace-format
|
||||
@ -1409,7 +1409,7 @@ msgstr "噴頭偏移 Y"
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:451
|
||||
msgctxt "@label"
|
||||
msgid "Cooling Fan Number"
|
||||
msgstr ""
|
||||
msgstr "冷卻風扇數量"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/MachineSettingsAction/MachineSettingsAction.qml:452
|
||||
msgctxt "@label"
|
||||
@ -1513,7 +1513,7 @@ msgstr "返回"
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:20
|
||||
msgctxt "@title:window"
|
||||
msgid "Confirm uninstall"
|
||||
msgstr ""
|
||||
msgstr "移除確認"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/Toolbox/resources/qml/ToolboxConfirmUninstallResetDialog.qml:50
|
||||
msgctxt "@text:window"
|
||||
@ -1656,7 +1656,7 @@ msgstr "關閉"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:31
|
||||
msgctxt "@title"
|
||||
msgid "Update Firmware"
|
||||
msgstr ""
|
||||
msgstr "更新韌體"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:39
|
||||
msgctxt "@label"
|
||||
@ -1681,12 +1681,12 @@ msgstr "上傳自訂韌體"
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:83
|
||||
msgctxt "@label"
|
||||
msgid "Firmware can not be updated because there is no connection with the printer."
|
||||
msgstr ""
|
||||
msgstr "因為沒有與印表機連線,無法更新韌體。"
|
||||
|
||||
#: /home/ruben/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 ""
|
||||
msgstr "因為連線的印表機不支援更新韌體,無法更新韌體。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/FirmwareUpdater/FirmwareUpdaterMachineAction.qml:98
|
||||
msgctxt "@title:window"
|
||||
@ -1916,67 +1916,67 @@ msgstr "等待:第一可用"
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:217
|
||||
msgctxt "@label"
|
||||
msgid "Waiting for: "
|
||||
msgstr "等待:"
|
||||
msgstr "等待: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:299
|
||||
msgctxt "@label"
|
||||
msgid "Configuration change"
|
||||
msgstr ""
|
||||
msgstr "設定更動"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:365
|
||||
msgctxt "@label"
|
||||
msgid "The assigned printer, %1, requires the following configuration change(s):"
|
||||
msgstr ""
|
||||
msgstr "分配的印表機 %1 需要下列的設定更動:"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:367
|
||||
msgctxt "@label"
|
||||
msgid "The printer %1 is assigned, but the job contains an unknown material configuration."
|
||||
msgstr ""
|
||||
msgstr "已分配到印表機 %1,但列印工作含有未知的耗材設定。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:375
|
||||
msgctxt "@label"
|
||||
msgid "Change material %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "將耗材 %1 從 %2 改成 %3。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:378
|
||||
msgctxt "@label"
|
||||
msgid "Load %3 as material %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "將 %3 做為耗材 %1 載入(無法覆寫)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:381
|
||||
msgctxt "@label"
|
||||
msgid "Change print core %1 from %2 to %3."
|
||||
msgstr ""
|
||||
msgstr "將 print core %1 從 %2 改成 %3。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:384
|
||||
msgctxt "@label"
|
||||
msgid "Change build plate to %1 (This cannot be overridden)."
|
||||
msgstr ""
|
||||
msgstr "將列印平台改成 %1(無法覆寫)。"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:404
|
||||
msgctxt "@label"
|
||||
msgid "Override"
|
||||
msgstr ""
|
||||
msgstr "覆寫"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:432
|
||||
msgctxt "@label"
|
||||
msgid "Starting a print job with an incompatible configuration could damage your 3D printer. Are you sure you want to override the configuration and print %1?"
|
||||
msgstr ""
|
||||
msgstr "使用不相容的設定啟動列印工作可能會損壞你的 3D 印表機。你確定要覆寫設定並列印 %1 嗎?"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:435
|
||||
msgctxt "@window:title"
|
||||
msgid "Override configuration configuration and start print"
|
||||
msgstr ""
|
||||
msgstr "覆寫設定並開始列印"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:466
|
||||
msgctxt "@label"
|
||||
msgid "Glass"
|
||||
msgstr ""
|
||||
msgstr "玻璃"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/PrintJobInfoBlock.qml:469
|
||||
msgctxt "@label"
|
||||
msgid "Aluminum"
|
||||
msgstr ""
|
||||
msgstr "鋁"
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UM3NetworkPrinting/resources/qml/ClusterMonitorItem.qml:39
|
||||
msgctxt "@label link to connect manager"
|
||||
@ -2524,7 +2524,7 @@ msgstr "開始印表機檢查"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:80
|
||||
msgctxt "@label"
|
||||
msgid "Connection: "
|
||||
msgstr "連線:"
|
||||
msgstr "連線: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:89
|
||||
msgctxt "@info:status"
|
||||
@ -2539,7 +2539,7 @@ msgstr "未連線"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:99
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop X: "
|
||||
msgstr "X Min 限位開關:"
|
||||
msgstr "X Min 限位開關: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:109
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:130
|
||||
@ -2560,17 +2560,17 @@ msgstr "未檢查"
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:120
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop Y: "
|
||||
msgstr "Y Min 限位開關:"
|
||||
msgstr "Y Min 限位開關: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:141
|
||||
msgctxt "@label"
|
||||
msgid "Min endstop Z: "
|
||||
msgstr "Z Min 限位開關:"
|
||||
msgstr "Z Min 限位開關: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:163
|
||||
msgctxt "@label"
|
||||
msgid "Nozzle temperature check: "
|
||||
msgstr "檢查噴頭溫度:"
|
||||
msgstr "檢查噴頭溫度: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:187
|
||||
#: /home/ruben/Projects/Cura/plugins/UltimakerMachineActions/UMOCheckupMachineAction.qml:248
|
||||
@ -3110,7 +3110,7 @@ msgstr "開啟專案檔案時的預設行為"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:557
|
||||
msgctxt "@window:text"
|
||||
msgid "Default behavior when opening a project file: "
|
||||
msgstr "開啟專案檔案時的預設行為:"
|
||||
msgstr "開啟專案檔案時的預設行為: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:571
|
||||
msgctxt "@option:openProject"
|
||||
@ -3140,7 +3140,7 @@ msgstr "列印參數"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:623
|
||||
msgctxt "@window:text"
|
||||
msgid "Default behavior for changed setting values when switching to a different profile: "
|
||||
msgstr "當切換到另一組列印參數時,對於被修改過的設定的預設行為:"
|
||||
msgstr "當切換到另一組列印參數時,對於被修改過的設定的預設行為: "
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/Preferences/GeneralPage.qml:638
|
||||
msgctxt "@option:discardOrKeep"
|
||||
@ -3434,17 +3434,17 @@ msgstr "用於處理 STL 檔案的函式庫"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:145
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling planar objects"
|
||||
msgstr ""
|
||||
msgstr "用於處理平面物件的函式庫"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:146
|
||||
msgctxt "@label"
|
||||
msgid "Support library for handling triangular meshes"
|
||||
msgstr ""
|
||||
msgstr "用於處理三角形網格的函式庫"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:147
|
||||
msgctxt "@label"
|
||||
msgid "Support library for analysis of complex networks"
|
||||
msgstr ""
|
||||
msgstr "用於分析複雜網路的函式庫"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:148
|
||||
msgctxt "@label"
|
||||
@ -3454,7 +3454,7 @@ msgstr "用於處理 3MF 檔案的函式庫"
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:149
|
||||
msgctxt "@label"
|
||||
msgid "Support library for file metadata and streaming"
|
||||
msgstr ""
|
||||
msgstr "用於檔案 metadata 和串流的函式庫"
|
||||
|
||||
#: /home/ruben/Projects/Cura/resources/qml/AboutDialog.qml:150
|
||||
msgctxt "@label"
|
||||
@ -4599,12 +4599,12 @@ msgstr "更新日誌"
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "description"
|
||||
msgid "Provides a machine actions for updating firmware."
|
||||
msgstr ""
|
||||
msgstr "提供升級韌體用的機器操作。"
|
||||
|
||||
#: FirmwareUpdater/plugin.json
|
||||
msgctxt "name"
|
||||
msgid "Firmware Updater"
|
||||
msgstr ""
|
||||
msgstr "韌體更新器"
|
||||
|
||||
#: ProfileFlattener/plugin.json
|
||||
msgctxt "description"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-03-31 15:18+0800\n"
|
||||
"PO-Revision-Date: 2018-11-04 13:04+0800\n"
|
||||
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language: zh_TW\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"X-Generator: Poedit 2.2\n"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -170,12 +170,12 @@ msgstr "列印開始時,噴頭在 Z 軸座標上的起始位置."
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "擠出機列印冷卻風扇"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "與此擠出機關聯的列印冷卻風扇的數量。只有當每個擠出機的列印冷卻風扇數量不同時,才需更改此值為正確數量,否則保持預設值 0 即可。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 3.6\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2018-10-29 15:01+0000\n"
|
||||
"PO-Revision-Date: 2018-10-02 10:30+0100\n"
|
||||
"PO-Revision-Date: 2018-11-06 16:00+0100\n"
|
||||
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language: zh_TW\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -59,7 +59,7 @@ msgid ""
|
||||
"."
|
||||
msgstr ""
|
||||
"開始時最先執行的 G-code 命令 - 使用 \n"
|
||||
". 隔開"
|
||||
"隔開。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -73,7 +73,7 @@ msgid ""
|
||||
"."
|
||||
msgstr ""
|
||||
"結束前最後執行的 G-code 命令 - 使用 \n"
|
||||
". 隔開"
|
||||
" 隔開。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -83,7 +83,7 @@ msgstr "耗材 GUID"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid description"
|
||||
msgid "GUID of the material. This is set automatically. "
|
||||
msgstr "耗材 GUID,此項為自動設定。"
|
||||
msgstr "耗材 GUID,此項為自動設定。 "
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_diameter label"
|
||||
@ -1078,7 +1078,7 @@ msgstr "連接頂部/底部多邊形"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "將頂部/底部表層路徑相鄰的位置連接。同心模式時啟用此設定,可以大大地減少移動時間。但因連接可能碰巧在途中跨越填充,所以此功能可能會降低頂部表層的品質。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1498,7 +1498,7 @@ msgstr "填充列印樣式"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "選擇填充耗材的樣式。直線和鋸齒狀填充輪流在每一層交換方向,以降低耗材成本。網格、三角形、三-六邊形、立方體、八面體、四分立方體、十字形和同心的列印樣式在每層完整列印。螺旋形、立方體、四分立方體和八面體填充隨每層變化,以在各個方向提供更均衡的强度分布。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1563,7 @@ msgstr "立體十字形"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "螺旋形"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -2007,7 +2007,7 @@ msgstr "啟用回抽"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_enable description"
|
||||
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
|
||||
msgstr "當噴頭移動到非列印區域上方時回抽耗材。"
|
||||
msgstr "當噴頭移動到非列印區域上方時回抽耗材。 "
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retract_at_layer_change label"
|
||||
@ -3272,32 +3272,32 @@ msgstr "支撐填充樣式的方向。 支撐填充樣式的旋轉方向是在
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "啟用支撐邊緣"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "在第一層的支撐填充區域內產生邊緣。這些邊緣列印在支撐下面,而不是支撐的周圍。啟用此設定可增加支撐對列印平台的附著力。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "支撐邊緣寬度"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "列印在支撐下面邊緣的寬度。較大的邊緣會加強對列印平台的附著力,但會需要一些額外的耗材。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "支撐邊緣線條數量"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "支撐邊緣所使用的線條數量。邊緣使用較多的線條會加強對列印平台的附著力,但會需要一些額外的耗材。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3367,7 +3367,7 @@ msgstr "最小支撐 X/Y 間距"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_xy_distance_overhang description"
|
||||
msgid "Distance of the support structure from the overhang in the X/Y directions. "
|
||||
msgstr "支撐結構在 X/Y 方向與突出部分的間距。"
|
||||
msgstr "支撐結構在 X/Y 方向與突出部分的間距。 "
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_stair_step_height label"
|
||||
@ -3871,12 +3871,12 @@ msgstr "邊緣所用線條數量。更多邊緣線條可增强與列印平台的
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "邊綠取代支撐"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "強制在模型周圍列印邊緣,即使該空間已被支撐佔用。在第一層的部份區域會以邊綠取代支撐。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
|
Loading…
x
Reference in New Issue
Block a user