Merge branch 'main' into CURA-10561-makerbot

This commit is contained in:
Jelle Spijker 2023-10-26 15:27:25 +02:00
commit 69f474a426
No known key found for this signature in database
GPG key ID: 034D1C0527888B65
158 changed files with 3444 additions and 375 deletions

View file

@ -95,7 +95,7 @@ jobs:
enterprise: ${{ github.event.inputs.enterprise == 'true' }}
staging: ${{ github.event.inputs.staging == 'true' }}
architecture: X64
operating_system: macos-12
operating_system: self-hosted-X64
secrets: inherit
macos-arm-installer:
@ -107,7 +107,7 @@ jobs:
enterprise: ${{ github.event.inputs.enterprise == 'true' }}
staging: ${{ github.event.inputs.staging == 'true' }}
architecture: ARM64
operating_system: self-hosted
operating_system: self-hosted-ARM64
secrets: inherit
# Run and update nightly release when the nightly input is set to true or if the schedule is triggered

View file

@ -27,7 +27,7 @@ on:
architecture:
description: 'Architecture'
required: true
default: 'X64'
default: 'ARM64'
type: choice
options:
- X64
@ -35,10 +35,11 @@ on:
operating_system:
description: 'OS'
required: true
default: 'macos-11'
default: 'self-hosted-ARM64'
type: choice
options:
- self-hosted
- self-hosted-X64
- self-hosted-ARM64
- macos-11
- macos-12
workflow_call:
@ -66,12 +67,12 @@ on:
architecture:
description: 'Architecture'
required: true
default: 'X64'
default: 'ARM64'
type: string
operating_system:
description: 'OS'
required: true
default: 'macos-11'
default: 'self-hosted-ARM64'
type: string
env:
@ -102,7 +103,7 @@ jobs:
- name: Setup Python and pip
uses: actions/setup-python@v4
with:
python-version: '3.10.x'
python-version: '3.11.x'
cache: 'pip'
cache-dependency-path: .github/workflows/requirements-conan-package.txt

View file

@ -210,7 +210,7 @@ class CuraConan(ConanFile):
self.requires("curaengine/(latest)@ultimaker/testing")
self.requires("pysavitar/5.3.0")
self.requires("pynest2d/5.3.0")
self.requires("curaengine_plugin_gradual_flow/(latest)@ultimaker/testing")
self.requires("curaengine_plugin_gradual_flow/0.1.0")
self.requires("uranium/(latest)@ultimaker/testing")
self.requires("cura_binary_data/(latest)@ultimaker/testing")
self.requires("cpython/3.10.4")

View file

@ -118,8 +118,9 @@ class GridArrange(Arranger):
def _findOptimalGridOffset(self):
if len(self._fixed_nodes) == 0:
self._offset_x = 0
self._offset_y = 0
edge_disallowed_size = self._build_volume.getEdgeDisallowedSize()
self._offset_x = edge_disallowed_size
self._offset_y = edge_disallowed_size
return
if len(self._fixed_nodes) == 1:

View file

@ -49,8 +49,9 @@ class Nest2DArrange(Arranger):
def findNodePlacement(self) -> Tuple[bool, List[Item]]:
spacing = int(1.5 * self._factor) # 1.5mm spacing.
machine_width = self._build_volume.getWidth()
machine_depth = self._build_volume.getDepth()
edge_disallowed_size = self._build_volume.getEdgeDisallowedSize()
machine_width = self._build_volume.getWidth() - (edge_disallowed_size * 2)
machine_depth = self._build_volume.getDepth() - (edge_disallowed_size * 2)
build_plate_bounding_box = Box(int(machine_width * self._factor), int(machine_depth * self._factor))
if self._fixed_nodes is None:
@ -80,7 +81,6 @@ class Nest2DArrange(Arranger):
], numpy.float32))
disallowed_areas = self._build_volume.getDisallowedAreas()
num_disallowed_areas_added = 0
for area in disallowed_areas:
converted_points = []
@ -95,7 +95,6 @@ class Nest2DArrange(Arranger):
disallowed_area = Item(converted_points)
disallowed_area.markAsDisallowedAreaInBin(0)
node_items.append(disallowed_area)
num_disallowed_areas_added += 1
for node in self._fixed_nodes:
converted_points = []
@ -108,11 +107,16 @@ class Nest2DArrange(Arranger):
item = Item(converted_points)
item.markAsFixedInBin(0)
node_items.append(item)
num_disallowed_areas_added += 1
strategies = [NfpConfig.Alignment.CENTER] * 3 + [NfpConfig.Alignment.BOTTOM_LEFT] * 3
found_solution_for_all = False
while not found_solution_for_all and len(strategies) > 0:
config = NfpConfig()
config.accuracy = 1.0
config.alignment = NfpConfig.Alignment.DONT_ALIGN
config.alignment = NfpConfig.Alignment.CENTER
config.starting_point = strategies[0]
strategies = strategies[1:]
if self._lock_rotation:
config.rotations = [0.0]

View file

@ -813,7 +813,7 @@ class BuildVolume(SceneNode):
prime_tower_areas = self._computeDisallowedAreasPrinted(used_extruders)
for extruder_id in prime_tower_areas:
for area_index, prime_tower_area in enumerate(prime_tower_areas[extruder_id]):
for area in result_areas[extruder_id]:
for area in result_areas_no_brim[extruder_id]:
if prime_tower_area.intersectsPolygon(area) is not None:
prime_tower_collision = True
break
@ -860,13 +860,24 @@ class BuildVolume(SceneNode):
machine_depth = self._global_container_stack.getProperty("machine_depth", "value")
prime_tower_x = self._global_container_stack.getProperty("prime_tower_position_x", "value")
prime_tower_y = - self._global_container_stack.getProperty("prime_tower_position_y", "value")
prime_tower_brim_enable = self._global_container_stack.getProperty("prime_tower_brim_enable", "value")
prime_tower_base_size = self._global_container_stack.getProperty("prime_tower_base_size", "value")
prime_tower_base_height = self._global_container_stack.getProperty("prime_tower_base_height", "value")
adhesion_type = self._global_container_stack.getProperty("adhesion_type", "value")
if not self._global_container_stack.getProperty("machine_center_is_zero", "value"):
prime_tower_x = prime_tower_x - machine_width / 2 #Offset by half machine_width and _depth to put the origin in the front-left.
prime_tower_y = prime_tower_y + machine_depth / 2
radius = prime_tower_size / 2
prime_tower_area = Polygon.approximatedCircle(radius, num_segments = 24)
prime_tower_area = prime_tower_area.translate(prime_tower_x - radius, prime_tower_y - radius)
delta_x = -radius
delta_y = -radius
if prime_tower_base_size > 0 and ((prime_tower_brim_enable and prime_tower_base_height > 0) or adhesion_type == "raft"):
radius += prime_tower_base_size
prime_tower_area = Polygon.approximatedCircle(radius, num_segments = 32)
prime_tower_area = prime_tower_area.translate(prime_tower_x + delta_x, prime_tower_y + delta_y)
prime_tower_area = prime_tower_area.getMinkowskiHull(Polygon.approximatedCircle(0))
for extruder in used_extruders:
@ -1171,7 +1182,7 @@ class BuildVolume(SceneNode):
_raft_settings = ["adhesion_type", "raft_base_thickness", "raft_interface_layers", "raft_interface_thickness", "raft_surface_layers", "raft_surface_thickness", "raft_airgap", "layer_0_z_overlap"]
_extra_z_settings = ["retraction_hop_enabled", "retraction_hop"]
_prime_settings = ["extruder_prime_pos_x", "extruder_prime_pos_y", "prime_blob_enable"]
_tower_settings = ["prime_tower_enable", "prime_tower_size", "prime_tower_position_x", "prime_tower_position_y", "prime_tower_brim_enable"]
_tower_settings = ["prime_tower_enable", "prime_tower_size", "prime_tower_position_x", "prime_tower_position_y", "prime_tower_brim_enable", "prime_tower_base_size", "prime_tower_base_height"]
_ooze_shield_settings = ["ooze_shield_enabled", "ooze_shield_dist"]
_distance_settings = ["infill_wipe_dist", "travel_avoid_distance", "support_offset", "support_enable", "travel_avoid_other_parts", "travel_avoid_supports", "wall_line_count", "wall_line_width_0", "wall_line_width_x"]
_extruder_settings = ["support_enable", "support_bottom_enable", "support_roof_enable", "support_infill_extruder_nr", "support_extruder_nr_layer_0", "support_bottom_extruder_nr", "support_roof_extruder_nr", "brim_line_count", "skirt_brim_extruder_nr", "raft_base_extruder_nr", "raft_interface_extruder_nr", "raft_surface_extruder_nr", "adhesion_type"] #Settings that can affect which extruders are used.

View file

@ -1,6 +1,8 @@
# Copyright (c) 2018 Aldo Hoeben / fieldOfView
# NetworkMJPGImage is released under the terms of the LGPLv3 or higher.
from typing import Optional
from PyQt6.QtCore import QUrl, pyqtProperty, pyqtSignal, pyqtSlot, QRect, QByteArray
from PyQt6.QtGui import QImage, QPainter
from PyQt6.QtQuick import QQuickPaintedItem
@ -19,9 +21,9 @@ class NetworkMJPGImage(QQuickPaintedItem):
self._stream_buffer = QByteArray()
self._stream_buffer_start_index = -1
self._network_manager = None # type: QNetworkAccessManager
self._image_request = None # type: QNetworkRequest
self._image_reply = None # type: QNetworkReply
self._network_manager: Optional[QNetworkAccessManager] = None
self._image_request: Optional[QNetworkRequest] = None
self._image_reply: Optional[QNetworkReply] = None
self._image = QImage()
self._image_rect = QRect()

View file

@ -1700,6 +1700,16 @@ class MachineManager(QObject):
else: # No intent had the correct category.
extruder.intent = empty_intent_container
@pyqtSlot()
def resetIntents(self) -> None:
"""Reset the intent category of the current printer.
"""
global_stack = self._application.getGlobalContainerStack()
if global_stack is None:
return
for extruder in global_stack.extruderList:
extruder.intent = empty_intent_container
def activeQualityGroup(self) -> Optional["QualityGroup"]:
"""Get the currently activated quality group.

View file

@ -47,11 +47,18 @@ AppDir:
- sourceline: deb https://packagecloud.io/slacktechnologies/slack/debian/ jessie
main
include:
- xdg-desktop-portal-kde:amd64
exclude:
- xdg-desktop-portal-kde
- libgtk-3-0
- librsvg2-2
- librsvg2-common
- libgdk-pixbuf2.0-0
- libgdk-pixbuf2.0-bin
- libgdk-pixbuf2.0-common
- imagemagick
- shared-mime-info
- gnome-icon-theme-symbolic
- hicolor-icon-theme
- adwaita-icon-theme
- humanity-icon-theme
exclude: []
files:
include: []
exclude:
@ -62,11 +69,16 @@ AppDir:
- usr/share/doc/*/TODO.*
runtime:
env:
APPDIR_LIBRARY_PATH: "$APPDIR/usr/lib/x86_64-linux-gnu:$APPDIR/lib/x86_64-linux-gnu:$APPDIR/usr/lib:$APPDIR/usr/lib/x86_64-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders"
APPDIR_LIBRARY_PATH: "$APPDIR:$APPDIR/runtime/compat/:$APPDIR/usr/lib/x86_64-linux-gnu:$APPDIR/lib/x86_64-linux-gnu:$APPDIR/usr/lib:$APPDIR/usr/lib/x86_64-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders"
LD_LIBRARY_PATH: "$APPDIR:$APPDIR/runtime/compat/:$APPDIR/usr/lib/x86_64-linux-gnu:$APPDIR/lib/x86_64-linux-gnu:$APPDIR/usr/lib:$APPDIR/usr/lib/x86_64-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders"
PYTHONPATH: "$APPDIR"
QT_PLUGIN_PATH: "$APPDIR/qt/plugins"
QML2_IMPORT_PATH: "$APPDIR/qt/qml"
QT_QPA_PLATFORMTHEME: xdgdesktopportal
GDK_PIXBUF_MODULEDIR: $APPDIR/usr/lib/x86_64-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders
GDK_PIXBUF_MODULE_FILE: $APPDIR/usr/lib/x86_64-linux-gnu/gdk-pixbuf-2.0/2.10.0/loaders.cache
path_mappings:
- /usr/share:$APPDIR/usr/share
test:
fedora-30:
image: appimagecrafters/tests-env:fedora-30

View file

@ -1259,7 +1259,9 @@ class ThreeMFWorkspaceReader(WorkspaceReader):
available_intent_category_list = IntentManager.getInstance().currentAvailableIntentCategories()
if self._intent_category_to_apply is not None and self._intent_category_to_apply in available_intent_category_list:
machine_manager.setIntentByCategory(self._intent_category_to_apply)
else:
# if no intent is provided, reset to the default (balanced) intent
machine_manager.resetIntents()
# Notify everything/one that is to notify about changes.
global_stack.containersChanged.emit(global_stack.getTop())

View file

@ -35,10 +35,12 @@ class WorkspaceDialog(QObject):
self._qml_url = "WorkspaceDialog.qml"
self._lock = threading.Lock()
self._default_strategy = None
self._result = {"machine": self._default_strategy,
self._result = {
"machine": self._default_strategy,
"quality_changes": self._default_strategy,
"definition_changes": self._default_strategy,
"material": self._default_strategy}
"material": self._default_strategy,
}
self._override_machine = None
self._visible = False
self.showDialogSignal.connect(self.__show)
@ -347,10 +349,12 @@ class WorkspaceDialog(QObject):
if threading.current_thread() != threading.main_thread():
self._lock.acquire()
# Reset the result
self._result = {"machine": self._default_strategy,
self._result = {
"machine": self._default_strategy,
"quality_changes": self._default_strategy,
"definition_changes": self._default_strategy,
"material": self._default_strategy}
"material": self._default_strategy,
}
self._visible = True
self.showDialogSignal.emit()

View file

@ -1,4 +1,4 @@
// Copyright (c) 2019 Ultimaker B.V.
// Copyright (c) 2023 UltiMaker
// Cura is released under the terms of the LGPLv3 or higher.
import QtQuick 2.2
@ -6,7 +6,7 @@ import UM 1.3 as UM
import Cura 1.0 as Cura
Item {
property var cameraUrl: "";
property string cameraUrl: "";
Rectangle {
anchors.fill:parent;
@ -34,22 +34,29 @@ Item {
Cura.NetworkMJPGImage {
id: cameraImage
anchors.horizontalCenter: parent.horizontalCenter;
anchors.verticalCenter: parent.verticalCenter;
height: Math.round((imageHeight === 0 ? 600 * screenScaleFactor : imageHeight) * width / imageWidth);
onVisibleChanged: {
if (visible) {
if (cameraUrl != "") {
start();
anchors.horizontalCenter: parent.horizontalCenter
anchors.verticalCenter: parent.verticalCenter
readonly property real img_scale_factor: {
if (imageWidth > maximumWidth || imageHeight > maximumHeight) {
return Math.min(maximumWidth / imageWidth, maximumHeight / imageHeight);
}
return 1.0;
}
width: imageWidth === 0 ? 800 * screenScaleFactor : imageWidth * img_scale_factor
height: imageHeight === 0 ? 600 * screenScaleFactor : imageHeight * img_scale_factor
onVisibleChanged: {
if (cameraUrl === "") return;
if (visible) {
start();
} else {
if (cameraUrl != "") {
stop();
}
}
}
source: cameraUrl
width: Math.min(imageWidth === 0 ? 800 * screenScaleFactor : imageWidth, maximumWidth);
z: 1
}

View file

@ -11,7 +11,7 @@ import re
class VersionUpgrade54to55(VersionUpgrade):
profile_regex = re.compile(
r"um\_(?P<machine>s(3|5|7))_(?P<core_type>aa|cc|bb)(?P<nozzle_size>0\.(6|4|8))_(?P<material>pla|petg|abs|cpe|cpe_plus|nylon|pc|petcf|tough_pla|tpu)_(?P<layer_height>0\.\d{1,2}mm)")
r"um\_(?P<machine>s(3|5|7))_(?P<core_type>aa|cc|bb)(?P<nozzle_size>0\.(6|4|8))_(?P<material>pla|petg|abs|tough_pla)_(?P<layer_height>0\.\d{1,2}mm)")
@staticmethod
def _isUpgradedUltimakerDefinitionId(definition_id: str) -> bool:

View file

@ -137,8 +137,6 @@
"machine_start_gcode": { "value": "\"\" if machine_gcode_flavor == \"UltiGCode\" else \"G21 ;metric values\\nG90 ;absolute positioning\\nM82 ;set extruder to absolute mode\\nM107 ;start with the fan off\\nM200 D0 T0 ;reset filament diameter\\nM200 D0 T1\\nG28 Z0; home all\\nG28 X0 Y0\\nG0 Z20 F2400 ;move the platform to 20mm\\nG92 E0\\nM190 S{material_bed_temperature_layer_0}\\nM109 T0 S{material_standby_temperature, 0}\\nM109 T1 S{material_print_temperature_layer_0, 1}\\nM104 T0 S{material_print_temperature_layer_0, 0}\\nT1 ; move to the 2th head\\nG0 Z20 F2400\\nG92 E-7.0 ;prime distance\\nG1 E0 F45 ;purge nozzle\\nG1 E-5.1 F1500 ; retract\\nG1 X90 Z0.01 F5000 ; move away from the prime poop\\nG1 X50 F9000\\nG0 Z20 F2400\\nT0 ; move to the first head\\nM104 T1 S{material_standby_temperature, 1}\\nG0 Z20 F2400\\nM104 T{initial_extruder_nr} S{material_print_temperature_layer_0, initial_extruder_nr}\\nG92 E-7.0\\nG1 E0 F45 ;purge nozzle\\nG1 X60 Z0.01 F5000 ; move away from the prime poop\\nG1 X20 F9000\\nM400 ;finish all moves\\nG92 E0\\n;end of startup sequence\\n\"" },
"machine_use_extruder_offset_to_offset_coords": { "default_value": false },
"machine_width": { "default_value": 223 },
"prime_tower_position_x": { "value": "185" },
"prime_tower_position_y": { "value": "160" },
"retraction_amount": { "default_value": 5.1 },
"retraction_speed": { "default_value": 25 },
"speed_support": { "value": "speed_wall_0" },

View file

@ -60,8 +60,6 @@
"material_diameter": { "default_value": 1.75 },
"material_initial_print_temperature": { "value": "material_print_temperature" },
"prime_tower_min_volume": { "value": "((resolveOrValue('layer_height'))/2" },
"prime_tower_position_x": { "value": "240" },
"prime_tower_position_y": { "value": "190" },
"prime_tower_size": { "value": "30" },
"prime_tower_wipe_enabled": { "default_value": true },
"retraction_amount": { "default_value": 5 },

View file

@ -111,8 +111,6 @@
"minimum_polygon_circumference": { "value": "0.2" },
"optimize_wall_printing_order": { "value": "True" },
"prime_tower_enable": { "value": "True" },
"prime_tower_position_x": { "value": "270" },
"prime_tower_position_y": { "value": "270" },
"retraction_amount": { "value": "1" },
"retraction_combing": { "value": "'noskin'" },
"retraction_combing_max_distance": { "value": "10" },

View file

@ -41,8 +41,6 @@
"machine_start_gcode": { "default_value": "M104 T0 165\nM104 T1 165\nM109 T{initial_extruder_nr} S{material_print_temperature_layer_0, initial_extruder_nr}\nG21 ;metric values\nG90 ;absolute positioning\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 Z2.0 F400 ;move the platform down 2mm\nT0\nG92 E0\nG28\nG1 Y0 F1200 E0\nG92 E0\nT{initial_extruder_nr}\nM117 BIBO Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 214 },
"prime_tower_position_x": { "value": "50" },
"prime_tower_position_y": { "value": "50" },
"speed_print": { "default_value": 40 }
}
}

View file

@ -81,8 +81,6 @@
"material_standby_temperature": { "value": "material_print_temperature" },
"prime_blob_enable": { "enabled": true },
"prime_tower_min_volume": { "default_value": 50 },
"prime_tower_position_x": { "value": "175" },
"prime_tower_position_y": { "value": "178" },
"prime_tower_wipe_enabled": { "default_value": false },
"retraction_amount": { "default_value": 3 },
"retraction_speed": { "default_value": 15 },

View file

@ -81,8 +81,6 @@
"material_standby_temperature": { "value": "material_print_temperature" },
"prime_blob_enable": { "enabled": true },
"prime_tower_min_volume": { "default_value": 50 },
"prime_tower_position_x": { "value": "175" },
"prime_tower_position_y": { "value": "178" },
"prime_tower_wipe_enabled": { "default_value": false },
"retraction_amount": { "default_value": 3 },
"retraction_speed": { "default_value": 15 },

View file

@ -80,8 +80,6 @@
"material_standby_temperature": { "value": "material_print_temperature" },
"prime_blob_enable": { "enabled": true },
"prime_tower_min_volume": { "default_value": 50 },
"prime_tower_position_x": { "value": "175" },
"prime_tower_position_y": { "value": "178" },
"prime_tower_wipe_enabled": { "default_value": false },
"retraction_amount": { "default_value": 3 },
"retraction_speed": { "default_value": 15 },

View file

@ -66,8 +66,6 @@
"optimize_wall_printing_order": { "default_value": true },
"prime_blob_enable": { "default_value": false },
"prime_tower_min_volume": { "value": "0.7" },
"prime_tower_position_x": { "value": "125" },
"prime_tower_position_y": { "value": "70" },
"prime_tower_size": { "value": 24.0 },
"retraction_extra_prime_amount": { "minimum_value_warning": "-2.0" }
}

View file

@ -55,8 +55,6 @@
"machine_shape": { "default_value": "elliptic" },
"machine_start_gcode": { "default_value": ";---------------------------------------\n;Deltacomb start script\n;---------------------------------------\nG21 ;metric values\nG90 ;absolute positioning\nM107 ;start with the fan off\nG28 ;Home all axes (max endstops)\nM420 S1; Bed Level Enable\nG92 E0 ;zero the extruded length\nG1 Z15.0 F9000 ;move to the platform down 15mm\nG1 F9000\n\n;Put printing message on LCD screen\nM117 In stampa...\nM140 S{print_bed_temperature} ;set the target bed temperature\n;---------------------------------------" },
"prime_tower_brim_enable": { "value": false },
"prime_tower_position_x": { "value": "prime_tower_size / 2" },
"prime_tower_position_y": { "value": "machine_depth / 2 - prime_tower_size - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - 1" },
"prime_tower_size": { "value": "math.sqrt(extruders_enabled_count * prime_tower_min_volume / layer_height / math.pi) * 2" },
"retraction_amount": { "default_value": 3.5 },
"retraction_combing": { "value": "'noskin'" },

View file

@ -131,8 +131,6 @@
"machine_width": { "default_value": 238 },
"material_adhesion_tendency": { "enabled": true },
"material_diameter": { "default_value": 1.75 },
"prime_tower_position_x": { "value": "180" },
"prime_tower_position_y": { "value": "160" },
"retraction_amount": { "default_value": 6.5 },
"retraction_speed": { "default_value": 25 },
"speed_support": { "value": "speed_wall_0" },

View file

@ -71,7 +71,7 @@
"minimum_interface_area": { "default_value": 10 },
"minimum_support_area": { "value": "3 if support_structure == 'normal' else 0" },
"optimize_wall_printing_order": { "default_value": true },
"prime_tower_brim_enable": { "default_value": true },
"prime_tower_brim_enable": { "value": true },
"prime_tower_min_volume": { "value": "(layer_height) * (prime_tower_size / 2)**2 * 3 * 0.5 " },
"prime_tower_size": { "default_value": 30 },
"prime_tower_wipe_enabled": { "default_value": false },

View file

@ -886,7 +886,7 @@
"default_value": 0.4,
"type": "float",
"value": "line_width",
"enabled": "resolveOrValue('adhesion_type') == 'skirt' or resolveOrValue('adhesion_type') == 'brim' or resolveOrValue('prime_tower_brim_enable') or resolveOrValue('draft_shield_enabled') or resolveOrValue('ooze_shield_enabled')",
"enabled": "resolveOrValue('adhesion_type') == 'skirt' or resolveOrValue('adhesion_type') == 'brim' or resolveOrValue('draft_shield_enabled') or resolveOrValue('ooze_shield_enabled')",
"settable_per_mesh": false,
"settable_per_extruder": true
},
@ -3198,7 +3198,7 @@
"speed_wall_0_roofing":
{
"label": "Top Surface Outer Wall Speed",
"description": "The speed at which the top surface outermost walls are printed.",
"description": "The speed at which the top surface outermost wall is printed.",
"unit": "mm/s",
"type": "float",
"minimum_value": "0.1",
@ -5895,7 +5895,7 @@
"type": "optional_extruder",
"default_value": "-1",
"value": "int(defaultExtruderPosition()) if resolveOrValue('adhesion_type') == 'raft' else -1",
"enabled": "extruders_enabled_count > 1 and (resolveOrValue('adhesion_type') != 'none' or resolveOrValue('prime_tower_brim_enable'))",
"enabled": "extruders_enabled_count > 1 and (resolveOrValue('adhesion_type') != 'none')",
"resolve": "max(extruderValues('adhesion_extruder_nr'))",
"settable_per_mesh": false,
"settable_per_extruder": false,
@ -5908,7 +5908,7 @@
"type": "optional_extruder",
"default_value": "-1",
"value": "adhesion_extruder_nr",
"enabled": "extruders_enabled_count > 1 and (resolveOrValue('adhesion_type') in ['skirt', 'brim'] or resolveOrValue('prime_tower_brim_enable'))",
"enabled": "extruders_enabled_count > 1 and (resolveOrValue('adhesion_type') in ['skirt', 'brim'])",
"resolve": "max(extruderValues('skirt_brim_extruder_nr'))",
"settable_per_mesh": false,
"settable_per_extruder": false
@ -6005,7 +6005,7 @@
"minimum_value": "0",
"minimum_value_warning": "25",
"maximum_value_warning": "2500",
"enabled": "resolveOrValue('adhesion_type') == 'skirt' or resolveOrValue('adhesion_type') == 'brim' or resolveOrValue('prime_tower_brim_enable')",
"enabled": "resolveOrValue('adhesion_type') == 'skirt' or resolveOrValue('adhesion_type') == 'brim'",
"limit_to_extruder": "skirt_brim_extruder_nr",
"settable_per_mesh": false,
"settable_per_extruder": true
@ -6019,7 +6019,7 @@
"default_value": 8.0,
"minimum_value": "0.0",
"maximum_value_warning": "50.0",
"enabled": "resolveOrValue('adhesion_type') == 'brim' or resolveOrValue('prime_tower_brim_enable')",
"enabled": "resolveOrValue('adhesion_type') == 'brim'",
"limit_to_extruder": "skirt_brim_extruder_nr",
"settable_per_mesh": false,
"settable_per_extruder": true,
@ -6034,7 +6034,7 @@
"minimum_value": "0",
"maximum_value_warning": "50 / skirt_brim_line_width",
"value": "math.ceil(brim_width / (skirt_brim_line_width * initial_layer_line_width_factor / 100.0))",
"enabled": "resolveOrValue('adhesion_type') == 'brim' or resolveOrValue('prime_tower_brim_enable')",
"enabled": "resolveOrValue('adhesion_type') == 'brim'",
"limit_to_extruder": "skirt_brim_extruder_nr",
"settable_per_mesh": false,
"settable_per_extruder": true
@ -6641,9 +6641,9 @@
"unit": "mm",
"enabled": "resolveOrValue('prime_tower_enable')",
"default_value": 200,
"value": "machine_width - max(extruderValue(skirt_brim_extruder_nr, 'brim_width') * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(skirt_brim_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - max(map(abs, extruderValues('machine_nozzle_offset_x'))) - 1",
"maximum_value": "machine_width / 2 if machine_center_is_zero else machine_width",
"minimum_value": "resolveOrValue('prime_tower_size') - machine_width / 2 if machine_center_is_zero else resolveOrValue('prime_tower_size')",
"value": "(resolveOrValue('machine_width') / 2 + resolveOrValue('prime_tower_size') / 2) if resolveOrValue('machine_shape') == 'elliptic' else (resolveOrValue('machine_width') - (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0) - max(max(extruderValues('travel_avoid_distance')) + max(extruderValues('support_offset')) + (extruderValue(skirt_brim_extruder_nr, 'skirt_brim_line_width') * extruderValue(skirt_brim_extruder_nr, 'skirt_line_count') * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 + extruderValue(skirt_brim_extruder_nr, 'skirt_gap') if resolveOrValue('adhesion_type') == 'skirt' else 0) + (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0), max(map(abs, extruderValues('machine_nozzle_offset_x'))), 1)) - (resolveOrValue('machine_width') / 2 if resolveOrValue('machine_center_is_zero') else 0)",
"maximum_value": "(machine_width / 2 if machine_center_is_zero else machine_width) - (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0)",
"minimum_value": "resolveOrValue('prime_tower_size') + (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0) - (machine_width / 2 if machine_center_is_zero else 0)",
"settable_per_mesh": false,
"settable_per_extruder": false
},
@ -6655,9 +6655,9 @@
"unit": "mm",
"enabled": "resolveOrValue('prime_tower_enable')",
"default_value": 200,
"value": "machine_depth - prime_tower_size - max(extruderValue(skirt_brim_extruder_nr, 'brim_width') * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(skirt_brim_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - max(map(abs, extruderValues('machine_nozzle_offset_y'))) - 3",
"maximum_value": "machine_depth / 2 - resolveOrValue('prime_tower_size') if machine_center_is_zero else machine_depth - resolveOrValue('prime_tower_size')",
"minimum_value": "machine_depth / -2 if machine_center_is_zero else 0",
"value": "machine_depth - prime_tower_size - (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0) - max(max(extruderValues('travel_avoid_distance')) + max(extruderValues('support_offset')) + (extruderValue(skirt_brim_extruder_nr, 'skirt_brim_line_width') * extruderValue(skirt_brim_extruder_nr, 'skirt_line_count') * extruderValue(skirt_brim_extruder_nr, 'initial_layer_line_width_factor') / 100 + extruderValue(skirt_brim_extruder_nr, 'skirt_gap') if resolveOrValue('adhesion_type') == 'skirt' else 0) + (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0), max(map(abs, extruderValues('machine_nozzle_offset_y'))), 1) - (resolveOrValue('machine_depth') / 2 if resolveOrValue('machine_center_is_zero') else 0)",
"maximum_value": "(machine_depth / 2 - resolveOrValue('prime_tower_size') if machine_center_is_zero else machine_depth - resolveOrValue('prime_tower_size')) - (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0)",
"minimum_value": "(machine_depth / -2 if machine_center_is_zero else 0) + (resolveOrValue('prime_tower_base_size') if (resolveOrValue('adhesion_type') == 'raft' or resolveOrValue('prime_tower_brim_enable')) else 0)",
"settable_per_mesh": false,
"settable_per_extruder": false
},
@ -6673,15 +6673,55 @@
},
"prime_tower_brim_enable":
{
"label": "Prime Tower Brim",
"description": "Prime-towers might need the extra adhesion afforded by a brim even if the model doesn't. Presently can't be used with the 'Raft' adhesion-type.",
"value": "resolveOrValue('adhesion_type') in ['raft', 'brim']",
"label": "Prime Tower Base",
"description": "Prime-towers might need the extra adhesion afforded by a brim or raft, even if the model doesn't.",
"type": "bool",
"enabled": "resolveOrValue('prime_tower_enable') and (resolveOrValue('adhesion_type') != 'raft')",
"resolve": "resolveOrValue('prime_tower_enable') and (resolveOrValue('adhesion_type') in ('none', 'skirt', 'brim'))",
"enabled": "resolveOrValue('prime_tower_enable') and resolveOrValue('adhesion_type') != 'raft'",
"default_value": false,
"settable_per_mesh": false,
"settable_per_extruder": false
},
"prime_tower_base_size":
{
"value": "resolveOrValue('raft_margin') if resolveOrValue('adhesion_type') == 'raft' else resolveOrValue('brim_width')",
"label": "Prime Tower Base Size",
"description": "The width of the prime tower base.",
"type": "float",
"unit": "mm",
"enabled": "resolveOrValue('prime_tower_enable') and (resolveOrValue('prime_tower_brim_enable') or resolveOrValue('adhesion_type') == 'raft')",
"default_value": "resolveOrValue('brim_width')",
"minimum_value": "0",
"maximum_value": "min(0.5 * machine_width, 0.5 * machine_depth)",
"settable_per_mesh": false,
"settable_per_extruder": false
},
"prime_tower_base_height":
{
"value": "resolveOrValue('layer_height')",
"label": "Prime Tower Base Height",
"description": "The height of the prime tower base.",
"type": "float",
"unit": "mm",
"enabled": "resolveOrValue('prime_tower_enable') and (resolveOrValue('prime_tower_brim_enable') or resolveOrValue('adhesion_type') == 'raft')",
"default_value": 0,
"minimum_value": "0",
"maximum_value": "machine_height",
"settable_per_mesh": false,
"settable_per_extruder": false
},
"prime_tower_base_curve_magnitude":
{
"label": "Prime Tower Base Curve Magnitude",
"description": "The magnitude factor used for the curve of the prime tower foot.",
"type": "float",
"enabled": "resolveOrValue('prime_tower_enable') and (resolveOrValue('prime_tower_brim_enable') or resolveOrValue('adhesion_type') == 'raft')",
"default_value": 4,
"minimum_value": "0",
"maximum_value": "10",
"settable_per_mesh": false,
"settable_per_extruder": false
},
"ooze_shield_enabled":
{
"label": "Enable Ooze Shield",

View file

@ -56,8 +56,6 @@
"default_value": 110,
"value": "material_flow * 1.1"
},
"prime_tower_position_x": { "value": "250" },
"prime_tower_position_y": { "value": "200" },
"retraction_amount": { "default_value": 1 },
"retraction_speed": { "default_value": 50 },
"skirt_brim_minimal_length": { "default_value": 130 },

View file

@ -30,8 +30,6 @@
"machine_height": { "default_value": 420 },
"machine_name": { "default_value": "Geeetech A30M" },
"machine_start_gcode": { "default_value": ";Geeetech A30M Custom Start G-code\nM104 S{material_print_temperature_layer_0} ; Set Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ; Wait for Bed Temperature\nM109 S{material_print_temperature_layer_0} ; Wait for Hotend Temperature\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nM107 P0 ;Off Main Fan\nM107 P1 ;Off Aux Fan\nM2012 P8 S1 F100 ; ON Light\n;M106 P0 S383 ; ON MainFan 150% if need\n;M106 P1 S255 ; ON Aux Fan 100% if need\nG1 Z5.0 F3000 ;Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y20 Z0.8 F5000 ; Move to start position\nG1 X0.1 Y200.0 Z1.2 F1500 E30 ; Draw the first line\nG92 E0 ; Reset Extruder\nG1 X0.4 Y200.0 Z1.2 F3000 ; Move to side a little\nG1 X0.4 Y20 Z1.2 F1500 E25 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.4 F3000.0 ; Scrape off nozzle residue" },
"machine_width": { "default_value": 320 },
"prime_tower_position_x": { "value": 290 },
"prime_tower_position_y": { "value": 260 }
"machine_width": { "default_value": 320 }
}
}

View file

@ -31,8 +31,6 @@
"machine_height": { "default_value": 420 },
"machine_name": { "default_value": "Geeetech A30T" },
"machine_start_gcode": { "default_value": ";Geeetech A30T Custom Start G-code\nM104 S{material_print_temperature_layer_0} ; Set Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ; Wait for Bed Temperature\nM109 S{material_print_temperature_layer_0} ; Wait for Hotend Temperature\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nM107 P0 ;Off Main Fan\nM107 P1 ;Off Aux Fan\nM2012 P8 S1 F100 ; ON Light\n;M106 P0 S383 ; ON MainFan 150% if need\n;M106 P1 S255 ; ON Aux Fan 100% if need\nG1 Z5.0 F3000 ;Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y20 Z0.8 F5000 ; Move to start position\nG1 X0.1 Y200.0 Z1.2 F1500 E30 ; Draw the first line\nG92 E0 ; Reset Extruder\nG1 X0.4 Y200.0 Z1.2 F3000 ; Move to side a little\nG1 X0.4 Y20 Z1.2 F1500 E25 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.4 F3000.0 ; Scrape off nozzle residue" },
"machine_width": { "default_value": 320 },
"prime_tower_position_x": { "value": 290 },
"prime_tower_position_y": { "value": 260 }
"machine_width": { "default_value": 320 }
}
}

View file

@ -31,8 +31,6 @@
"machine_name": { "default_value": "Geeetech I3ProC" },
"machine_start_gcode": { "default_value": ";Geeetech I3ProC Custom Start G-code\nM104 S{material_print_temperature_layer_0} ; Set Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ; Wait for Bed Temperature\nM109 S{material_print_temperature_layer_0} ; Wait for Hotend Temperature\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nM107 P0 ;Off Main Fan\nM107 P1 ;Off Aux Fan\nM2012 P8 S1 F100 ; ON Light\n;M106 P0 S383 ; ON MainFan 150% if need\n;M106 P1 S255 ; ON Aux Fan 100% if need\nG1 Z5.0 F3000 ;Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y10 Z0.8 F5000 ; Move to start position\nG1 X0.1 Y180.0 Z1.2 F1500 E30 ; Draw the first line\nG92 E0 ; Reset Extruder\nG1 X0.4 Y180.0 Z1.2 F3000 ; Move to side a little\nG1 X0.4 Y10 Z1.2 F1500 E25 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.4 F3000.0 ; Scrape off nozzle residue" },
"machine_width": { "default_value": 200 },
"prime_tower_position_x": { "value": 170 },
"prime_tower_position_y": { "value": 140 },
"retraction_amount": { "value": 2 }
}
}

View file

@ -31,8 +31,6 @@
"machine_name": { "default_value": "Geeetech MizarM" },
"machine_start_gcode": { "default_value": ";Official open-source firmware for MizarM: https://github.com/Geeetech3D/Mizar-M \n\nM104 S{material_print_temperature_layer_0} ; Set Hotend Temperature\nM190 S{material_bed_temperature_layer_0} ; Wait for Bed Temperature\nM109 S{material_print_temperature_layer_0} ; Wait for Hotend Temperature\nG92 E0 ; Reset Extruder\nG28 ; Home all axes\nM107 P0 ;Off Main Fan\nM107 P1 ;Off Aux Fan\nM2012 P8 S1 F100 ; ON Light\n;M106 P0 S383 ; ON MainFan 150% if need\n;M106 P1 S255 ; ON Aux Fan 100% if need\nG1 Z5.0 F3000 ;Move Z Axis up little to prevent scratching of Heat Bed\nG1 X0.1 Y20 Z0.8 F5000 ; Move to start position\nG1 X0.1 Y200.0 Z1.2 F1500 E30 ; Draw the first line\nG92 E0 ; Reset Extruder\nG1 X0.4 Y200.0 Z1.2 F3000 ; Move to side a little\nG1 X0.4 Y20 Z1.2 F1500 E25 ; Draw the second line\nG92 E0 ; Reset Extruder\nG1 Z2.0 F3000 ; Move Z Axis up little to prevent scratching of Heat Bed\nG1 X5 Y20 Z0.4 F3000.0 ; Scrape off nozzle residue" },
"machine_width": { "default_value": 255 },
"material_standby_temperature": { "value": 200 },
"prime_tower_position_x": { "value": 225 },
"prime_tower_position_y": { "value": 195 }
"material_standby_temperature": { "value": 200 }
}
}

View file

@ -137,8 +137,6 @@
"minimum_polygon_circumference": { "value": 0.05 },
"optimize_wall_printing_order": { "default_value": true },
"prime_blob_enable": { "default_value": false },
"prime_tower_position_x": { "value": 125 },
"prime_tower_position_y": { "value": 70 },
"prime_tower_size": { "value": 20.6 },
"retract_at_layer_change": { "value": false },
"retraction_combing": { "value": "'off'" },

View file

@ -81,8 +81,6 @@
"material_initial_print_temperature": { "value": "default_material_print_temperature" },
"material_standby_temperature": { "enabled": false },
"prime_tower_enable": { "resolve": "extruders_enabled_count > 1" },
"prime_tower_position_x": { "value": "169" },
"prime_tower_position_y": { "value": "25" },
"retraction_amount": { "default_value": 2 },
"retraction_combing": { "value": "'all'" },
"skirt_line_count": { "default_value": 3 },

View file

@ -67,7 +67,7 @@
"minimum_interface_area": { "value": 10 },
"minimum_support_area": { "value": "2 if support_structure == 'normal' else 0" },
"optimize_wall_printing_order": { "value": "True" },
"prime_tower_brim_enable": { "default_value": true },
"prime_tower_brim_enable": { "value": true },
"prime_tower_wipe_enabled": { "default_value": false },
"raft_airgap": { "default_value": 0.2 },
"raft_margin": { "default_value": 2 },

View file

@ -17,8 +17,6 @@
"machine_depth": { "default_value": 300 },
"machine_height": { "default_value": 350 },
"machine_name": { "default_value": "LNL3D D3" },
"machine_width": { "default_value": 300 },
"prime_tower_position_x": { "value": "155" },
"prime_tower_position_y": { "value": "155" }
"machine_width": { "default_value": 300 }
}
}

View file

@ -17,8 +17,6 @@
"machine_depth": { "default_value": 300 },
"machine_height": { "default_value": 320 },
"machine_name": { "default_value": "LNL3D D3 Vulcan" },
"machine_width": { "default_value": 295 },
"prime_tower_position_x": { "value": "155" },
"prime_tower_position_y": { "value": "155" }
"machine_width": { "default_value": 295 }
}
}

View file

@ -17,8 +17,6 @@
"machine_depth": { "default_value": 500 },
"machine_height": { "default_value": 600 },
"machine_name": { "default_value": "LNL3D D5" },
"machine_width": { "default_value": 500 },
"prime_tower_position_x": { "value": "155" },
"prime_tower_position_y": { "value": "155" }
"machine_width": { "default_value": 500 }
}
}

View file

@ -17,8 +17,6 @@
"machine_depth": { "default_value": 600 },
"machine_height": { "default_value": 600 },
"machine_name": { "default_value": "LNL3D D6" },
"machine_width": { "default_value": 600 },
"prime_tower_position_x": { "value": "155" },
"prime_tower_position_y": { "value": "155" }
"machine_width": { "default_value": 600 }
}
}

View file

@ -46,8 +46,6 @@
"optimize_wall_printing_order": { "value": true },
"prime_tower_enable": { "value": true },
"prime_tower_min_volume": { "value": 30 },
"prime_tower_position_x": { "value": 50 },
"prime_tower_position_y": { "value": 50 },
"retract_at_layer_change": { "value": false },
"retraction_amount": { "value": 4.5 },
"roofing_layer_count": { "value": 1 },

View file

@ -43,8 +43,6 @@
"machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nG92 E0 ;zero the extruded length\nG28 ;home\nG1 F200 E30 ;extrude 30 mm of feed stock\nG92 E0 ;zero the extruded length\nG1 E-5 ;retract 5 mm\nG28 SC ;Do homeing, clean nozzles and let printer to know that printing started\nG92 X-6 ;Sets Curas checker board to match printers heated bed coordinates\nG1 F{speed_travel}\nM117 Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 305 },
"prime_tower_position_x": { "value": "185" },
"prime_tower_position_y": { "value": "160" },
"print_sequence": { "enabled": true },
"retraction_amount": { "default_value": 6 },
"retraction_speed": { "default_value": 180 },

View file

@ -42,8 +42,6 @@
"machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nG92 E0 ;zero the extruded length\nG28 ;home\nG1 F200 E30 ;extrude 30 mm of feed stock\nG92 E0 ;zero the extruded length\nG1 E-5 ;retract 5 mm\nG28 SC ;Do homeing, clean nozzles and let printer to know that printing started\nG92 X-6 ;Sets Curas checker board to match printers heated bed coordinates\nG1 F{speed_travel}\nM117 Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 200 },
"prime_tower_position_x": { "value": "185" },
"prime_tower_position_y": { "value": "160" },
"print_sequence": { "enabled": false },
"retraction_amount": { "default_value": 6 },
"retraction_speed": { "default_value": 180 },

View file

@ -42,8 +42,6 @@
"machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nG92 E0 ;zero the extruded length\nG28 ;home\nG1 F200 E30 ;extrude 30 mm of feed stock\nG92 E0 ;zero the extruded length\nG1 E-5 ;retract 5 mm\nG28 SC ;Do homeing, clean nozzles and let printer to know that printing started\nG92 X-6 ;Sets Curas checker board to match printers heated bed coordinates\nG1 F{speed_travel}\nM117 Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 200 },
"prime_tower_position_x": { "value": "185" },
"prime_tower_position_y": { "value": "160" },
"print_sequence": { "enabled": false },
"retraction_amount": { "default_value": 6 },
"retraction_speed": { "default_value": 180 },

View file

@ -42,8 +42,6 @@
"machine_start_gcode": { "default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n" },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 305 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" },
"retraction_amount": { "default_value": 1.0 }
}
}

View file

@ -42,8 +42,6 @@
"machine_start_gcode": { "default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n" },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 305 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" },
"retraction_amount": { "default_value": 1.0 }
}
}

View file

@ -37,8 +37,6 @@
"machine_start_gcode": { "default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n" },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 305 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" },
"retraction_amount": { "default_value": 1.0 }
}
}

View file

@ -37,8 +37,6 @@
"machine_start_gcode": { "default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n" },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 305 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" },
"retraction_amount": { "default_value": 1.0 }
}
}

View file

@ -143,8 +143,6 @@
"optimize_wall_printing_order": { "default_value": true },
"prime_tower_flow": { "value": "99" },
"prime_tower_min_volume": { "default_value": 4 },
"prime_tower_position_x": { "value": "1" },
"prime_tower_position_y": { "value": "1" },
"prime_tower_size": { "default_value": 1 },
"raft_acceleration": { "value": "400" },
"raft_airgap": { "default_value": 0.2 },

View file

@ -45,8 +45,6 @@
"machine_name": { "default_value": "Stereotech STE320" },
"machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 ;homing\nG1 Z15.0 F9000 ;move the platform down 15mm\nT1 ;Switch to the 2nd extruder\nG92 E0 ;zero the extruded length\nG1 F200 E6 ;extrude 6 mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F200 E-{switch_extruder_retraction_amount}\nT0 ;Switch to the 1st extruder\nG92 E0 ;zero the extruded length\nG1 F200 E6 ;extrude 6 mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F9000\n;Put printing message on LCD screen\nM117 Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 218 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" }
"machine_width": { "default_value": 218 }
}
}

View file

@ -226,8 +226,6 @@
"meshfix_maximum_deviation": { "default_value": 0.04 },
"optimize_wall_printing_order": { "value": "True" },
"prime_tower_min_volume": { "default_value": 35 },
"prime_tower_position_x": { "value": "machine_width/2 + prime_tower_size/2" },
"prime_tower_position_y": { "value": "machine_depth - prime_tower_size - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - 1" },
"retraction_amount": { "default_value": 1.5 },
"retraction_combing_max_distance": { "default_value": 5 },
"retraction_count_max": { "default_value": 15 },

View file

@ -114,8 +114,6 @@
"material_diameter": { "default_value": 1.75 },
"prime_tower_enable": { "default_value": true },
"prime_tower_min_volume": { "default_value": 35.6 },
"prime_tower_position_x": { "value": "machine_depth / 2 - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - max(map(abs, extruderValues('machine_nozzle_offset_x'))) - 1" },
"prime_tower_position_y": { "value": "machine_depth / 2 - prime_tower_size - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' or (prime_tower_brim_enable and adhesion_type != 'raft') else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 - (resolveOrValue('draft_shield_dist') if resolveOrValue('draft_shield_enabled') else 0) - max(map(abs, extruderValues('machine_nozzle_offset_y'))) - 3" },
"raft_acceleration": { "value": "machine_acceleration" },
"raft_base_acceleration": { "value": "machine_acceleration" },
"raft_interface_acceleration": { "value": "machine_acceleration" },

View file

@ -150,7 +150,6 @@
"value": "resolveOrValue('print_sequence') != 'one_at_a_time'"
},
"prime_tower_enable": { "default_value": true },
"prime_tower_position_x": { "value": "machine_depth - max(extruderValue(adhesion_extruder_nr, 'brim_width') * extruderValue(adhesion_extruder_nr, 'initial_layer_line_width_factor') / 100 if adhesion_type == 'brim' else (extruderValue(adhesion_extruder_nr, 'raft_margin') if adhesion_type == 'raft' else (extruderValue(adhesion_extruder_nr, 'skirt_gap') if adhesion_type == 'skirt' else 0)), max(extruderValues('travel_avoid_distance'))) - max(extruderValues('support_offset')) - sum(extruderValues('skirt_brim_line_width')) - 30" },
"prime_tower_wipe_enabled": { "default_value": false },
"retraction_amount": { "value": "6.5" },
"retraction_hop": { "value": "2" },

View file

@ -89,8 +89,6 @@
"machine_name": { "default_value": "Ultimaker Original" },
"machine_start_gcode": { "default_value": "G21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 Z15.0 F9000 ;move the platform down 15mm\nT1 ;Switch to the 2nd extruder\nG92 E0 ;zero the extruded length\nG1 F200 E6 ;extrude 6 mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F200 E-{switch_extruder_retraction_amount}\nT0 ;Switch to the 1st extruder\nG92 E0 ;zero the extruded length\nG1 F200 E6 ;extrude 6 mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F9000\n;Put printing message on LCD screen\nM117 Printing..." },
"machine_use_extruder_offset_to_offset_coords": { "default_value": true },
"machine_width": { "default_value": 205 },
"prime_tower_position_x": { "value": "195" },
"prime_tower_position_y": { "value": "149" }
"machine_width": { "default_value": 205 }
}
}

View file

@ -5561,6 +5561,14 @@ msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr "Nepovedlo se stáhnout {} zásuvných modulů"
msgctxt "@label"
msgid "Balanced"
msgstr "Vyvážený"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Vyvážený profil je navržen tak, aby dosáhl rovnováhy mezi produktivitou, kvalitou povrchu, mechanickými vlastnostmi a rozměrnou přesností."
#, python-brace-format
#~ msgctxt "info:{0} gets replaced by a number of printers"
#~ msgid "... and {0} other"

View file

@ -5387,6 +5387,78 @@ msgctxt "travel description"
msgid "travel"
msgstr "cestování"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Seskupit vnější stěny"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Venkovní stěny různých ostrovů ve stejné vrstvě jsou tisknuty postupně. Když je povoleno, množství změn proudu je omezeno, protože stěny jsou tisknuty po jednom typu najednou, když je zakázáno, počet cest mezi ostrovy se snižuje, protože stěny na stejných ostrovech jsou seskupeny."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Tok nejvíce vnější stěnové linky horní plochy"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Kompensace toku na nejvíce vnější stěnové lince horní plochy."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Tok vnitřní stěny horní plochy"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Kompensace toku na horní stěnové linky pro všechny stěnové linky kromě nejvnější."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Rychlost nejvíce vnější stěny horní plochy"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Rychlost, kterou jsou tisknuty nejvíce vnější stěny horní plochy."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Rychlost vnitřní stěny horní plochy"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Rychlost, kterou jsou tisknuty vnitřní stěny horní plochy."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Zrychlení vnější stěny horní plochy"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Zrychlení, kterým jsou tisknuty nejvíce vnější stěny horní plochy."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Zrychlení vnitřní stěny horní plochy"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Zrychlení, kterým jsou tisknuty vnitřní stěny horní plochy."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Rychlá změna nejvíce vnitřní stěny horní plochy"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Maximální okamžitá změna rychlosti, jakou jsou tisknuty nejvíce vnitřní stěny horní plochy."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Rychlá změna nejvíce vnější stěny horní plochy"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Maximální okamžitá změna rychlosti, jakou jsou tisknuty nejvíce vnější stěny horní plochy."
@ -5394,43 +5466,43 @@ msgstr "cestování"
msgctxt "gradual_flow_enabled label"
msgid "Gradual flow enabled"
msgstr ""
msgstr "Postupné změny průtoku povoleny"
msgctxt "gradual_flow_enabled description"
msgid "Enable gradual flow changes. When enabled, the flow is gradually increased/decreased to the target flow. This is useful for printers with a bowden tube where the flow is not immediately changed when the extruder motor starts/stops."
msgstr ""
msgstr "Povolit postupné změny průtoku. Když je povoleno, průtok se postupně zvyšuje / snižuje na cílový průtok. Toto je užitečné pro tiskárny s Bowdenovou trubicí, kde se průtok okamžitě nezmění, když se spustí / zastaví extrudér."
msgctxt "max_flow_acceleration label"
msgid "Gradual flow max acceleration"
msgstr ""
msgstr "Maximální zrychlení postupných změn průtoku"
msgctxt "max_flow_acceleration description"
msgid "Maximum acceleration for gradual flow changes"
msgstr ""
msgstr "Maximální zrychlení pro postupné změny průtoku"
msgctxt "layer_0_max_flow_acceleration label"
msgid "Initial layer max flow acceleration"
msgstr ""
msgstr "Maximální zrychlení průtoku pro první vrstvu"
msgctxt "layer_0_max_flow_acceleration description"
msgid "Minimum speed for gradual flow changes for the first layer"
msgstr ""
msgstr "Minimální rychlost pro postupné změny průtoku pro první vrstvu"
msgctxt "gradual_flow_discretisation_step_size label"
msgid "Gradual flow discretisation step size"
msgstr ""
msgstr "Velikost kroku diskretizace postupné změny průtoku"
msgctxt "gradual_flow_discretisation_step_size description"
msgid "Duration of each step in the gradual flow change"
msgstr ""
msgstr "Doba trvání každého kroku v postupné změně průtoku"
msgctxt "reset_flow_duration label"
msgid "Reset flow duration"
msgstr ""
msgstr "Doba trvání resetování průtoku"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr ""
msgstr "Pro jakýkoli pohyb delší než tato hodnota se materiálový průtok resetuje na cílový průtok dráhy"

View file

@ -5487,3 +5487,10 @@ msgctxt "name"
msgid "Compressed G-code Writer"
msgstr ""
msgctxt "@label"
msgid "Balanced"
msgstr ""
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr ""

View file

@ -5291,3 +5291,86 @@ msgstr "Writer für komprimierten G-Code"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Ermöglicht das Exportieren von Cura-Profilen."
msgctxt "@info:title"
msgid "Error"
msgstr "Fehler"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Abbrechen"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Einstellungen"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Die Datei <filename>{0}</filename> ist bereits vorhanden. Soll die Datei wirklich überschrieben werden?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Mehr erfahren"
msgctxt "@title:tab"
msgid "General"
msgstr "Allgemein"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "Möchten Sie %1 wirklich entfernen? Dies kann nicht rückgängig gemacht werden!"
msgctxt "@label"
msgid "Type"
msgstr "Typ"
msgctxt "@info:title"
msgid "Saving"
msgstr "Wird gespeichert"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Datei bereits vorhanden"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Alle unterstützten Typen ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Konnte nicht als <filename>{0}</filename> gespeichert werden: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
msgctxt "@info:title"
msgid "Warning"
msgstr "Warnhinweis"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Drucker"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Datei wurde gespeichert"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Entfernen bestätigen"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Alle Dateien (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Ausgewogen"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Das ausgewogene Profil ist darauf ausgelegt, einen Kompromiss zwischen Produktivität, Oberflächenqualität, mechanischen Eigenschaften und Maßgenauigkeit zu erzielen."

View file

@ -3870,7 +3870,7 @@ msgstr "Brim nur an der Außenseite des Modells drucken. Damit reduziert sich di
msgctxt "brim_inside_margin label"
msgid "Brim Inside Avoid Margin"
msgstr "Abstand zur Vermeidung des inneren Brim-Elements"
msgstr "Abstand zur Vermeidung des inneren Brims"
msgctxt "brim_inside_margin description"
msgid "A part fully enclosed inside another part can generate an outer brim that touches the inside of the other part. This removes all brim within this distance from internal holes."
@ -3878,7 +3878,7 @@ msgstr "Ist ein Teil vollständig von einem anderen Teil eingeschlossen, wird be
msgctxt "brim_smart_ordering label"
msgid "Smart Brim"
msgstr "Kleine obere bzw. untere Bereiche werden mit Wänden anstelle des oberen bzw. unteren Standardmusters gefüllt. Dies hilft, ruckartige Bewegungen zu vermeiden."
msgstr "Intelligente Brim"
msgctxt "brim_smart_ordering description"
msgid "Swap print order of the innermost and second innermost brim lines. This improves brim removal."
@ -5331,3 +5331,147 @@ msgstr "Flussdauer zurücksetzen"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Bei jeder Fahrtbewegung, die diesen Wert überschreitet, wird der Materialfluss auf den Sollwert des Flusses für den Weg zurückgesetzt"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Z-Position Extruder-Einzug"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Haftung"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Es werden Stützstrukturen platziert. Die Platzierung kann auf „Druckbett berühren“ oder „Überall“ eingestellt werden. Wenn „Überall“ eingestellt wird, werden die Stützstrukturen auch auf dem Modell gedruckt."
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Düsendurchmesser"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "Der Düsen-ID für eine Extruder-Einheit, z. B. „AA 0,4“ und „BB 0,8“."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Die X-Koordinate der Position, an der die Düse am Druckbeginn einzieht."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Durchmesser"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "X-Position Extruder-Einzug"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Der Durchmesser des verwendeten Filaments wird angepasst. Stellen Sie hier den Durchmesser des verwendeten Filaments ein."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Der Innendurchmesser der Düse. Verwenden Sie diese Einstellung, wenn Sie eine Düse einer Nicht-Standardgröße verwenden."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Gerätespezifische Einstellungen"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Y-Position Extruder-Einzug"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Die Z-Koordinate der Position, an der die Düse am Druckbeginn einzieht."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Die Y-Koordinate der Position, an der die Düse am Druckbeginn einzieht."
msgctxt "material label"
msgid "Material"
msgstr "Material"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "Düsen-ID"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Druckplattenhaftung"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Gerät"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Äußere Wände gruppieren"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Die äußeren Wände verschiedener Inseln in derselben Schicht werden nacheinander gedruckt. Wenn aktiviert, wird die Menge der Flussänderungen begrenzt, da die Wände nacheinander gedruckt werden, wenn deaktiviert, wird die Anzahl der Fahrten zwischen den Inseln reduziert, da die Wände auf den gleichen Inseln gruppiert sind."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Fluss der äußersten Oberflächenwand"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Flussausgleich an der äußersten Wandlinie der Oberfläche."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Fluss der inneren Oberflächenwand(en)"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Flussausgleich auf den Wandlinien der Oberfläche für alle Wandlinien außer der äußersten."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Geschwindigkeit der äußeren Oberfläche der Wand"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Die Geschwindigkeit, mit der die äußersten Wände der Oberfläche gedruckt werden."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Geschwindigkeit der inneren Oberfläche der Wand"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Die Geschwindigkeit, mit der die inneren Wände der Oberfläche gedruckt werden."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Beschleunigung der äußeren Oberfläche der Wand"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Die Beschleunigung, mit der die äußersten Wände der Oberfläche gedruckt werden."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Beschleunigung der inneren Oberfläche der Wand"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Die Beschleunigung, mit der die inneren Wände der Oberfläche gedruckt werden."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Ruck der inneren Oberflächenwand"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Die maximale instantane Geschwindigkeitsänderung, mit der die inneren Oberflächenwände gedruckt werden."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Ruck der äußersten Oberflächenwand"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Die maximale instantane Geschwindigkeitsänderung, mit der die äußersten Oberflächenwände gedruckt werden."

View file

@ -5291,3 +5291,86 @@ msgstr "Escritor de GCode comprimido"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Proporciona asistencia para exportar perfiles de Cura."
msgctxt "@info:title"
msgid "Error"
msgstr "Error"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Ajustes"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "El archivo <filename>{0}</filename> ya existe. ¿Está seguro de que desea sobrescribirlo?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Más información"
msgctxt "@title:tab"
msgid "General"
msgstr "General"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "¿Seguro que desea eliminar %1? ¡Esta acción no se puede deshacer!"
msgctxt "@label"
msgid "Type"
msgstr "Tipo"
msgctxt "@info:title"
msgid "Saving"
msgstr "Guardando"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "El archivo ya existe"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Todos los tipos compatibles ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "No se pudo guardar en <filename>{0}</filename>: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "Aceptar"
msgctxt "@info:title"
msgid "Warning"
msgstr "Advertencia"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Impresoras"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Archivo guardado"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Confirmar eliminación"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Todos los archivos (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Equilibrado"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "El perfil equilibrado está diseñado para lograr un equilibrio entre la productividad, la calidad de la superficie, las propiedades mecánicas y la precisión dimensional."

View file

@ -5331,3 +5331,151 @@ msgstr "Restablecer duración del flujo"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Para cualquier movimiento de desplazamiento superior a este valor, el flujo de material se restablece con el flujo objetivo de las trayectorias"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Posición de preparación del extrusor sobre el eje Z"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Adherencia"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Ajusta la colocación de las estructuras del soporte. La colocación se puede establecer tocando la placa de impresión o en todas partes. Cuando se establece en todas partes, las estructuras del soporte también se imprimirán en el modelo."
msgctxt "material description"
msgid "Material"
msgstr "Material"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Diámetro de la tobera"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "Id. de la tobera de un tren extrusor, como \"AA 0.4\" y \"BB 0.8\"."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Coordenada X de la posición en la que la tobera se coloca al inicio de la impresión."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Diámetro"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Posición de preparación del extrusor sobre el eje X"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Ajusta el diámetro del filamento utilizado. Este valor debe coincidir con el diámetro del filamento utilizado."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Diámetro interior de la tobera. Cambie este ajuste cuando utilice un tamaño de tobera no estándar."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Ajustes específicos de la máquina"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Posición de preparación del extrusor sobre el eje Y"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Coordenada Z de la posición en la que la tobera queda preparada al inicio de la impresión."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Coordenada Y de la posición en la que la tobera se coloca al inicio de la impresión."
msgctxt "material label"
msgid "Material"
msgstr "Material"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "Id. de la tobera"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Adherencia de la placa de impresión"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Máquina"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Agrupar las paredes exteriores"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Las paredes exteriores de diferentes islas en la misma capa se imprimen en secuencia. Cuando está habilitado, la cantidad de cambios de flujo se limita porque las paredes se imprimen de a una a la vez; cuando está deshabilitado, se reduce el número de desplazamientos entre islas porque las paredes en las mismas islas se agrupan."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Flujo de la pared exterior de la superficie superior"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Compensación de flujo en la línea de la pared exterior más externa de la superficie superior."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Flujo de la pared interior de la superficie superior"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Compensación de flujo en las líneas de pared de la superficie superior para todas las líneas de pared excepto la más externa."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Velocidad de la pared externa de la superficie superior"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "La velocidad con la que se imprimen las paredes más externas de la superficie superior."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Velocidad de la pared interna de la superficie superior"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "La velocidad a la que se imprimen las paredes internas de la superficie superior."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Aceleración de la superficie externa superior de la pared"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "La aceleración con la que se imprimen las paredes más externas de la superficie superior."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Aceleración de la superficie interna superior de la pared"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "La aceleración con la que se imprimen las paredes internas de la superficie superior."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Sacudida de la pared interior de la superficie superior"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "El cambio máximo de velocidad instantánea con el que se imprimen las paredes interiores de la superficie superior."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Sacudida de la pared exterior más externa de la superficie superior"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "El cambio máximo de velocidad instantánea con el que se imprimen las paredes exteriores más externas de la superficie superior."

View file

@ -5372,6 +5372,78 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr ""
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr ""
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr ""
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr ""
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr ""
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr ""
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr ""
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr ""
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr ""
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr ""
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr ""
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr ""
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr ""
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr ""
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr ""
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr ""
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr ""
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr ""
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr ""
### Settings added by bundled engine backend plugins. Add this manually for now. Should be removed whenever we handle it better.

View file

@ -5503,6 +5503,14 @@ msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr ""
msgctxt "@label"
msgid "Balanced"
msgstr "Tasapainotettu"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Tasapainotettu profiili on suunniteltu tasapainottamaan tuottavuutta, pinnanlaatua, mekaanisia ominaisuuksia ja dimensionaalista tarkkuutta."
#~ msgctxt "@action:inmenu menubar:edit"
#~ msgid "Arrange Selection"
#~ msgstr "Järjestä valinta"

View file

@ -5380,6 +5380,78 @@ msgctxt "travel description"
msgid "travel"
msgstr "siirtoliike"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Ryhmittele ulkoseinät"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Samaan kerrokseen kuuluvat eri saarten ulkoseinät tulostetaan peräkkäin. Kun toiminto on käytössä, virtauksen muutosten määrä on rajoitettu, koska seinät tulostetaan yksi kerrallaan. Kun toiminto on pois päältä, matkojen määrä saarten välillä vähenee, koska saman saaren seinät ryhmitellään."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Yläpinnan uloimman seinän virtaus"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Virtauksen kompensointi yläpinnan uloimman seinän linjalla."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Yläpinnan sisäseinän virtaus"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Virtauksen kompensointi yläpinnan seinälinjoilla kaikille seinälinjoille paitsi uloimman linjalle."
msgctxt "speed_wall_0_roofing label"
msgid "Yläpinnan uloimman seinän nopeus"
msgstr "Vitesse d'impression de la paroi externe de la surface supérieure"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Yläpinnan uloimpien seinien tulostusnopeus."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Yläpinnan sisäseinän nopeus"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Yläpinnan sisäseinien tulostusnopeus."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Yläpinnan ulkoseinän kiihtyvyys"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Yläpinnan uloimpien seinien tulostamisen kiihtyvyys."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Yläpinnan sisäseinän kiihtyvyys"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Yläpinnan sisäseinien tulostamisen kiihtyvyys."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Yläpinnan sisäseinän nykäys"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Yläpinnan sisäseinien tulostuksessa tapahtuva suurin välitön nopeuden muutos."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Yläpinnan uloimman seinän nykäys"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Yläpinnan uloimman seinän tulostuksessa tapahtuva suurin välitön nopeuden muutos."
### Settings added by bundled engine backend plugins. Add this manually for now. Should be removed whenever we handle it better.

View file

@ -5291,3 +5291,86 @@ msgstr "Générateur de G-Code compressé"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Fournit la prise en charge de l'exportation de profils Cura."
msgctxt "@info:title"
msgid "Error"
msgstr "Erreur"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Annuler"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Paramètres"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Le fichier <filename>{0}</filename> existe déjà. Êtes-vous sûr de vouloir le remplacer?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "En savoir plus"
msgctxt "@title:tab"
msgid "General"
msgstr "Général"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "Êtes-vous sûr de vouloir supprimer l'objet %1 ? Vous ne pourrez pas revenir en arrière !"
msgctxt "@label"
msgid "Type"
msgstr "Type"
msgctxt "@info:title"
msgid "Saving"
msgstr "Enregistrement"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Le fichier existe déjà"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Tous les types supportés ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Impossible d'enregistrer <filename>{0}</filename> : <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
msgctxt "@info:title"
msgid "Warning"
msgstr "Avertissement"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Imprimantes"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Fichier enregistré"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Confirmer la suppression"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Tous les fichiers (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Équilibré"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Le profil équilibré est conçu pour trouver un équilibre entre la productivité, la qualité de surface, les propriétés mécaniques et la précision dimensionnelle."

View file

@ -5331,3 +5331,151 @@ msgstr "Réinitialiser la durée du débit"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Pour tout déplacement plus long que cette valeur, le débit de matière est réinitialisé au débit cible du parcours"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Extrudeuse Position d'amorçage Z"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Adhérence"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Ajuste le positionnement des supports. Le positionnement peut être défini pour toucher le plateau ou n'importe où. Lorsqu'il est défini sur n'importe où, les supports seront également imprimés sur le modèle."
msgctxt "material description"
msgid "Material"
msgstr "Matériau"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Diamètre de la buse"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "ID buse pour un train d'extrudeuse, comme « AA 0.4 » et « BB 0.8 »."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Les coordonnées X de la position à laquelle la buse s'amorce au début de l'impression."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Diamètre"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Extrudeuse Position d'amorçage X"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Ajuste le diamètre du filament utilisé. Faites correspondre cette valeur au diamètre du filament utilisé."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Le diamètre intérieur de la buse. Modifiez ce paramètre si vous utilisez une taille de buse non standard."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Paramètres spécifiques de la machine"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Extrudeuse Position d'amorçage Y"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Les coordonnées Z de la position à laquelle la buse s'amorce au début de l'impression."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Les coordonnées Y de la position à laquelle la buse s'amorce au début de l'impression."
msgctxt "material label"
msgid "Material"
msgstr "Matériau"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "ID buse"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Adhérence du plateau"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Machine"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Regrouper les parois extérieures"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Les parois extérieures de différentes îles de la même couche sont imprimées séquentiellement. Lorsque ce paramètre est activé, le nombre de changements de débit est limité car les parois sont imprimées une par une ; lorsqu'il est désactivé, le nombre de déplacements entre les îles est réduit car les parois des mêmes îles sont regroupées."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Débit de la paroi externe de la surface supérieure"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Compensation de flux sur la ligne de paroi la plus externe de la surface supérieure."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Débit des parois internes de la surface supérieure"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Compensation du flux sur les lignes de paroi de la surface supérieure pour toutes les lignes de paroi sauf la plus externe."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Vitesse d'impression de la paroi externe de la surface supérieure"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "La vitesse à laquelle la paroi externe de la surface supérieure est imprimée."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Vitesse d'impression des parois internes de la surface supérieure"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "La vitesse à laquelle les parois internes de la surface supérieure sont imprimées."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Accélération de la paroi externe de la surface supérieure"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "L'accélération avec laquelle la paroi externe de la surface supérieure est imprimée."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Accélération des parois internes de la surface supérieure"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "L'accélération avec laquelle les parois internes de la surface supérieure sont imprimées."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Saccade de la paroi externe de la surface supérieure"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Le changement instantané maximal de vitesse selon lequel la paroi extérieure de la surface supérieure est imprimée."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Saccade des parois internes de la surface supérieure"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Le changement instantané maximal de vitesse selon lequel les parois intérieures de la surface supérieure sont imprimées."

View file

@ -5517,6 +5517,14 @@ msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr ""
msgctxt "@label"
msgid "Balanced"
msgstr "Kiegyensúlyozott"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Az egyensúlyozott profil a termelékenység, felületminőség, mechanikai tulajdonságok és méret pontoság közötti egyensúly elérését célozza meg."
#~ msgctxt "@action:inmenu menubar:edit"
#~ msgid "Arrange Selection"
#~ msgstr "Kijelöltek rendezése"

View file

@ -5389,6 +5389,78 @@ msgctxt "travel description"
msgid "travel"
msgstr "fej átpozícionálás"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Külső falak csoportosítása"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Az azonos rétegben lévő különböző szigetek külső falait sorban nyomtatják. Amikor engedélyezve van, korlátozódik az áramlás változásainak mértéke, mert a falak típusonként nyomtathatók ki. Amikor letiltva van, az utazások számát a szigetek között csökkenti, mert ugyanazon szigeteken lévő falak csoportosítva vannak."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "A felső felület legkülső falának áramlása"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Áramlási kompenzáció a felső felület legkülső falvonalán."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "A felső felület belső falainak áramlása"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Áramlás kompenzáció a felső felület falvonalain az összes falvonal kivételével a legkülsőn."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "A felső felület legkülső falának sebessége"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Az a sebesség, amellyel a felső felület legkülső falai kinyomtatnak."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "A felső felület belső falának sebessége"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Az a sebesség, amellyel a felső felület belső falai kinyomtatnak."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "A felső felület külső falának gyorsulása"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Az a gyorsulás, amellyel a felső felület legkülső falai kinyomtatnak."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "A felső felület belső falának gyorsulása"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Az a gyorsulás, amellyel a felső felület belső falai kinyomtatnak."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "A felső felület belső falának hirtelen gyorsulása"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "A legnagyobb pillanatnyi sebességváltozás, amellyel a felső felület belső falai kinyomtatnak."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "A felső felület legkülső falának hirtelen gyorsulása"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "A legnagyobb pillanatnyi sebességváltozás, amellyel a felső felület legkülső falai kinyomtatnak."

View file

@ -5291,3 +5291,82 @@ msgstr "Writer codice G compresso"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Fornisce supporto per l'esportazione dei profili Cura."
msgctxt "@info:title"
msgid "Error"
msgstr "Errore"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Annulla"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Impostazioni"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Il file <filename>{0}</filename> esiste già. Sei sicuro di volerlo sovrascrivere?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Ulteriori informazioni"
msgctxt "@title:tab"
msgid "General"
msgstr "Generale"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "Sei sicuro di voler rimuovere %1? Questa operazione non può essere annullata!"
msgctxt "@label"
msgid "Type"
msgstr "Tipo"
msgctxt "@info:title"
msgid "Saving"
msgstr "Salvataggio in corso"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Il file esiste già"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Tutti i tipi supportati ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Impossibile salvare <filename>{0}</filename>: <message>{1}</message>"
msgctxt "@info:title"
msgid "Warning"
msgstr "Avvertenza"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Stampanti"
msgctxt "@info:title"
msgid "File Saved"
msgstr "File salvato"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Conferma rimozione"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Tutti i file (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Bilanciato"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Il profilo equilibrato è progettato per trovare un equilibrio tra produttività, qualità superficiale, proprietà meccaniche e precisione dimensionale."

View file

@ -5331,3 +5331,151 @@ msgstr "Reimposta durata flusso"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Per ogni corsa più lunga di questo valore, il flusso di materiale viene reimpostato al flusso target dei percorsi"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Posizione Z innesco estrusore"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Adesione"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Regola il posizionamento delle strutture di supporto. Il posizionamento può essere impostato su contatto con il piano di stampa o in tutti i possibili punti. Quando impostato su tutti i possibili punti, le strutture di supporto verranno anche stampate sul modello."
msgctxt "material description"
msgid "Material"
msgstr "Materiale"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Diametro ugello"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "ID ugello per un treno estrusore, come \"AA 0.4\" e \"BB 0.8\"."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "La coordinata X della posizione in cui lugello si innesca allavvio della stampa."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Diametro"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Posizione X innesco estrusore"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Regolare il diametro del filamento utilizzato. Abbinare questo valore al diametro del filamento utilizzato."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Il diametro interno dellugello. Modificare questa impostazione quando si utilizza una dimensione ugello non standard."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Impostazioni macchina specifiche"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Posizione Y innesco estrusore"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Indica la coordinata Z della posizione in cui lugello si innesca allavvio della stampa."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "La coordinata Y della posizione in cui lugello si innesca allavvio della stampa."
msgctxt "material label"
msgid "Material"
msgstr "Materiale"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "ID ugello"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Adesione piano di stampa"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Macchina"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Raggruppa le pareti esterne"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Le pareti esterne di diverse isole nello stesso strato vengono stampate in sequenza. Quando abilitata, la quantità di variazione del flusso è limitata perché le pareti vengono stampate un tipo alla volta; quando disabilitata, si riduce il numero di spostamenti tra le isole perché le pareti nello stesso isola sono raggruppate."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Flusso della parete esterna della superficie superiore"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Compensazione del flusso sulla linea della parete esterna più esterna della superficie superiore."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Flusso della parete interna della superficie superiore"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Compensazione del flusso sulle linee delle pareti della superficie superiore per tutte le linee delle pareti tranne quella più esterna."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Velocità di stampa della parete esterna della superficie superiore"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "La velocità con cui vengono stampate le pareti più esterne della superficie superiore."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Velocità di stampa della parete interna della superficie superiore"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "La velocità con cui vengono stampate le pareti interne della superficie superiore."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Accelerazione della parete esterna della superficie superiore"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "L'accelerazione con cui vengono stampate le pareti più esterne della superficie superiore."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Accelerazione della parete interna della superficie superiore"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "L'accelerazione con cui vengono stampate le pareti interne della superficie superiore."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Jerk parete interna della superficie superiore"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "La massima variazione istantanea di velocità con cui vengono stampate le pareti interne della superficie superiore."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Jerk parete esterna della superficie superiore"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "La massima variazione istantanea di velocità con cui vengono stampate le pareti più esterne della superficie superiore."

View file

@ -5278,3 +5278,82 @@ msgstr "圧縮G-codeライター"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Curaプロファイルを書き出すためのサポートを供給する。"
msgctxt "@info:title"
msgid "Error"
msgstr "エラー"
msgctxt "@action:button"
msgid "Cancel"
msgstr "キャンセル"
msgctxt "@title:tab"
msgid "Settings"
msgstr "設定"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "<filename>{0}</filename> は既に存在します。ファイルを上書きしますか?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "詳しく見る"
msgctxt "@title:tab"
msgid "General"
msgstr "一般"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "%1を取り外しますかこの作業はやり直しが効きません"
msgctxt "@label"
msgid "Type"
msgstr "タイプ"
msgctxt "@info:title"
msgid "Saving"
msgstr "保存中"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "すでに存在するファイルです"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "すべてのサポートのタイプ ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "<filename>{0}</filename>を保存できませんでした: <message>{1}</message>"
msgctxt "@info:title"
msgid "Warning"
msgstr "警告"
msgctxt "@title:tab"
msgid "Printers"
msgstr "プリンター"
msgctxt "@info:title"
msgid "File Saved"
msgstr "ファイル保存"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "モデルを取り除きました"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "全てのファイル"
msgctxt "@label"
msgid "Balanced"
msgstr "バランス"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "バランスのとれたプロファイルは、生産性、表面品質、機械的特性、寸法精度のバランスを取るために設計されています。"

View file

@ -5331,3 +5331,151 @@ msgstr "フロー期間をリセット"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "この値より長い移動の場合、素材フローは目標フローにリセットされます。"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "エクストルーダーのZ座標"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "密着性"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "サポート材の配置を調整します。配置はTouching BuildplateまたはEveryWhereに設定することができます。EveryWhereに設定した場合、サポート材がモデルの上にもプリントされます。"
msgctxt "material description"
msgid "Material"
msgstr "マテリアル"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "ノズル内径"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "\"AA 0.4\"や\"BB 0.8\"などのズルID。"
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "プリント開始時のズルの位置を表すX座標。"
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "直径"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "エクストルーダープライムX位置"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "使用するフィラメントの太さの調整 この値を使用するフィラメントの太さと一致させてください。"
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "ノズルの内径。標準以外のノズルを使用する場合は、この設定を変更してください。"
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "プリンター詳細設定"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "エクストルーダープライムY位置"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "印刷開始時にズルがポジションを確認するZ座標。"
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "プリント開始時にズル位置を表すY座標。"
msgctxt "material label"
msgid "Material"
msgstr "マテリアル"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "ズルID"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "ビルドプレート密着性"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "プリンター"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "外壁をグループ化"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "同じレイヤー内の異なる島の外壁は順次印刷されます。有効にすると、壁は1つの種類ずつ印刷されるため、フローの変化量が制限されます。無効にすると、同じ島の壁がグループ化されるため、島間の移動回数が減少します。"
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "上面最外壁の流れ"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "最外の壁ラインにおける流量補正。"
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "上面内壁の流れ"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "最外のラインを除く、全ての壁ラインにおけるトップサーフェス壁ラインのフロー補正"
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "上面の最外壁速度"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "上面の最外壁が印刷される速度"
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "上面内壁速度"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "上面内壁が印刷される速度"
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "上面外壁加速度"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "上面の最外壁が印刷される際の加速度"
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "上面内壁加速度"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "上面内壁が印刷される際の加速度"
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "上面内壁の最大瞬間速度変化"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "上面内壁が印刷される際の最大瞬間速度変化。"
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "上面最外壁の最大瞬間速度変化"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "上面最外壁が印刷される際の最大瞬間速度変化。"

View file

@ -5278,3 +5278,86 @@ msgstr "압축 된 G 코드 작성기"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Cura 프로파일 내보내기 지원을 제공합니다."
msgctxt "@info:title"
msgid "Error"
msgstr "오류"
msgctxt "@action:button"
msgid "Cancel"
msgstr "취소"
msgctxt "@title:tab"
msgid "Settings"
msgstr "설정"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "파일 <filename>{0}</filename>이 이미 있습니다. 덮어 쓰시겠습니까?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "자세히 알아보기"
msgctxt "@title:tab"
msgid "General"
msgstr "일반"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "%1을 제거 하시겠습니까? 이것은 취소 할 수 없습니다!"
msgctxt "@label"
msgid "Type"
msgstr "유형"
msgctxt "@info:title"
msgid "Saving"
msgstr "저장"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "파일이 이미 있습니다"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "지원되는 모든 유형 ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "<filename>{0}</filename>: <message>{1}</message> 에 저장할 수 없습니다"
msgctxt "@action:button"
msgid "OK"
msgstr "확인"
msgctxt "@info:title"
msgid "Warning"
msgstr "경고"
msgctxt "@title:tab"
msgid "Printers"
msgstr "프린터"
msgctxt "@info:title"
msgid "File Saved"
msgstr "파일이 저장됨"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "제거 확인"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "모든 파일 (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "균형"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "균형 프로파일은 생산성, 표면 품질, 기계적 특성 및 치수 정확도 사이의 균형을 찾기 위해 설계되었습니다."

View file

@ -5331,3 +5331,147 @@ msgstr "흐름 지속 시간 재설정"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "이 값보다 긴 이동에 대해서는 재료 흐름이 경로 목표 흐름으로 재설정됩니다"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "익스트루더 프라임 Z 포지션"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "부착"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "서포트 구조의 배치를 조정합니다. 배치는 빌드 플레이트 또는 모든 곳을 터치하도록 설정할 수 있습니다. 모든 곳에 설정하면 모델에 서포트 구조가 프린팅됩니다."
msgctxt "material description"
msgid "Material"
msgstr "재료"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "노즐 지름"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "\"AA 0.4\"및 \"BB 0.8\"과 같은 익스트루더의 노즐 ID."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "프린팅이 시작될 때 노즐의 X 좌표입니다."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "직경"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "익스트루더 프라임 X 위치"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "사용 된 필라멘트의 직경을 조정합니다. 이 값을 사용될 필라멘트의 직경과 일치시킵니다."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "노즐의 내경. 비표준 노즐 크기를 사용할 때 이 설정을 변경하십시오."
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "익스트루더 프라임 Y 위치"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "프린팅가 시작될 때 노즐 위치의 Z 좌표입니다."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "프린팅이 시작될 때 노즐의 Y 좌표입니다."
msgctxt "material label"
msgid "Material"
msgstr "재료"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "노즐 ID"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "빌드 플레이트 부착"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "기기"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "외벽 그룹화"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "동일한 레이어의 서로 다른 섬의 외벽이 순차적으로 인쇄됩니다. 활성화되면 벽 종류별로 하나씩 인쇄되므로 유량 변화량이 제한되며 비활성화되면 동일한 섬의 벽이 그룹화되어 섬 간 이동 수가 감소합니다."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "상면 가장 바깥 벽의 유량"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "상면 가장 바깥쪽 벽 라인의 유량 보정"
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "상면 내벽 흐름"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "가장 바깥쪽 라인을 제외한 모든 벽 라인에 대한 상면 벽 라인의 유량 보정"
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "상면 외벽 속도"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "상면의 가장 바깥 벽이 인쇄되는 속도"
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "상면 내벽 속도"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "상면 내벽이 인쇄되는 속도"
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "상면 외벽 가속도"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "상면의 가장 바깥 벽이 인쇄되는 가속도"
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "상면 내벽 가속도"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "상면 내벽이 인쇄되는 가속도"
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "상면 내벽의 최대 순간 속도 변화"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "상면 내부 벽이 인쇄되는 최대 순간 속도 변화"
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "상면 가장 바깥 벽의 최대 순간 속도 변화"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "상면 바깥 벽이 인쇄되는 최대 순간 속도 변화"

View file

@ -5291,3 +5291,86 @@ msgstr "Schrijver voor gecomprimeerde G-code"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Biedt ondersteuning voor het exporteren van Cura-profielen."
msgctxt "@info:title"
msgid "Error"
msgstr "Fout"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Annuleren"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Instellingen"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Het bestand <filename>{0}</filename> bestaat al. Weet u zeker dat u dit bestand wilt overschrijven?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Meer informatie"
msgctxt "@title:tab"
msgid "General"
msgstr "Algemeen"
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!"
msgctxt "@label"
msgid "Type"
msgstr "Type"
msgctxt "@info:title"
msgid "Saving"
msgstr "Opslaan"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Het Bestand Bestaat Al"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Alle Ondersteunde Typen ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Kan niet opslaan als <filename>{0}</filename>: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
msgctxt "@info:title"
msgid "Warning"
msgstr "Waarschuwing"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Printers"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Bestand opgeslagen"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Verwijderen Bevestigen"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Alle Bestanden (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Gebalanceerd"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Het gebalanceerde profiel is ontworpen om een balans te vinden tussen productiviteit, oppervlaktekwaliteit, mechanische eigenschappen en dimensionale nauwkeurigheid."

View file

@ -5331,3 +5331,147 @@ msgstr "Flowduur resetten"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Voor elke verplaatsing die langer is dan deze waarde, wordt de materiaalflow teruggezet op de doelflow van de paden."
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Z-positie voor Primen Extruder"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Hechting"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Past de plaatsing van de supportstructuur aan. De plaatsing kan worden ingesteld op Platform aanraken of Overal. Wanneer deze optie ingesteld is op Overal, worden de supportstructuren ook op het model geprint."
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Nozzlediameter"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "De nozzle-ID voor een extruder train, bijvoorbeeld \"AA 0.4\" en \"BB 0.8\"."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "De X-coördinaat van de positie waar filament in de nozzle wordt geprimed aan het begin van het printen."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Diameter"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "X-positie voor Primen Extruder"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Bepaalt de diameter van het gebruikte filament. Pas deze waarde aan de diameter van het gebruikte filament aan."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "De binnendiameter van de nozzle. Verander deze instelling wanneer u een nozzle gebruikt die geen standaard formaat heeft."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Instellingen van de machine"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Y-positie voor Primen Extruder"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "De Z-coördinaat van de positie waar filament in de nozzle wordt teruggeduwd aan het begin van het printen."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "De Y-coördinaat van de positie waar filament in de nozzle wordt geprimed aan het begin van het printen."
msgctxt "material label"
msgid "Material"
msgstr "Materiaal"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "Nozzle-ID"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Hechting aan Platform"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Machine"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Groepeer de buitenwanden"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Buitenwanden van verschillende eilanden in dezelfde laag worden achtereenvolgens geprint. Wanneer ingeschakeld, wordt de hoeveelheid stroomveranderingen beperkt omdat wanden één type tegelijk worden geprint. Wanneer uitgeschakeld, wordt het aantal verplaatsingen tussen eilanden verminderd omdat wanden op dezelfde eilanden worden gegroepeerd."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Stroom van de buitenste wand van het bovenoppervlak"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Stroomcompensatie op de buitenste wand van het bovenoppervlak."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Stroom van de binnenste wand(en) van het bovenoppervlak"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Stroomcompensatie op de wandlijnen van het bovenoppervlak voor alle muurlijnen behalve de buitenste."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Snelheid van de buitenste wand van het bovenoppervlak"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "De snelheid waarmee de buitenste wanden van het bovenoppervlak worden geprint."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Snelheid van de binnenste wand van het bovenoppervlak"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "De snelheid waarmee de binnenwanden van het bovenoppervlak worden geprint."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Versnelling van de buitenste wand op bovenlaag"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "De versnelling waarmee de buitenste muren van het bovenoppervlak worden geprint."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Versnelling van de binnenwand op bovenlaag"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "De versnelling waarmee de binnenwanden van het bovenoppervlak worden geprint."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Schok van de binnenste muur van het bovenoppervlak"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "De maximale plotselinge snelheidsverandering waarmee de binnenste muren van het bovenoppervlak worden geprint."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Schok van de buitenste muur van het bovenoppervlak"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "De maximale plotselinge snelheidsverandering waarmee de buitenste muren van het bovenoppervlak worden geprint."

View file

@ -5520,6 +5520,14 @@ msgctxt "@info:generic"
msgid "{} plugins failed to download"
msgstr ""
msgctxt "@label"
msgid "Balanced"
msgstr "Zrównoważony"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Zrównoważony profil został zaprojektowany w celu znalezienia równowagi między wydajnością, jakością powierzchni, właściwościami mechanicznymi i precyzją wymiarową."
#~ msgctxt "@action:inmenu menubar:edit"
#~ msgid "Arrange Selection"
#~ msgstr "Wybór ułożenia"

View file

@ -5388,6 +5388,78 @@ msgctxt "travel description"
msgid "travel"
msgstr "ruch jałowy"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Grupuj ściany zewnętrzne"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Zewnętrzne ściany różnych wysp w tej samej warstwie są drukowane sekwencyjnie. Gdy jest włączone, ilość zmian przepływu jest ograniczona, ponieważ ściany są drukowane po jednym rodzaju na raz. Gdy jest wyłączone, liczba podróży między wyspami jest zmniejszana, ponieważ ściany na tych samych wyspach są grupowane."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Przepływ na najbardziej zewnętrznej linii górnej powierzchni"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Kompensacja przepływu na najbardziej zewnętrznej linii górnej powierzchni."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Przepływ wewnętrznej ściany(ach) górnej powierzchni"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Kompensacja przepływu na liniach ściany na powierzchni górnej dla wszystkich linii ściany, z wyjątkiem najbardziej zewnętrznej."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Prędkość najbardziej zewnętrznych ścian górnej powierzchni"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Prędkość drukowania najbardziej zewnętrznych ścian górnej powierzchni."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Prędkość wewnętrznej powierzchni górnej ściany"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Prędkość drukowania wewnętrznych ścian górnej powierzchni."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Przyspieszenie zewnętrznej powierzchni górnej ściany"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Przyspieszenie, z jakim są drukowane najbardziej zewnętrzne ściany górnej powierzchni."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Przyspieszenie wewnętrznej powierzchni górnej ściany"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Przyspieszenie, z jakim są drukowane wewnętrzne ścianki górnej powierzchni."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Szarpnięcie na wewnętrznych ścianach górnej powierzchni"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Maksymalna chwilowa zmiana prędkości, z jaką drukowane są wewnętrzne ściany górnej powierzchni."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Szarpnięcie na najbardziej zewnętrznych ścianach górnej powierzchni"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Maksymalna chwilowa zmiana prędkości, z jaką drukowane są najbardziej zewnętrzne ściany górnej powierzchni."
### Settings added by bundled engine backend plugins. Add this manually for now. Should be removed whenever we handle it better.

View file

@ -8,7 +8,7 @@ msgstr ""
"Project-Id-Version: Cura 5.0\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2023-09-20 14:03+0000\n"
"PO-Revision-Date: 2023-02-17 17:37+0100\n"
"PO-Revision-Date: 2023-10-23 05:56+0200\n"
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
"Language: pt_BR\n"
@ -16,7 +16,7 @@ msgstr ""
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
"X-Generator: Poedit 3.2.2\n"
"X-Generator: Poedit 3.3.2\n"
#, python-format
msgctxt "@info 'width', 'depth' and 'height' are variable names that must NOT be translated; just translate the format of ##x##x## mm."
@ -353,7 +353,7 @@ msgstr "Adicionar Impressora"
msgctxt "@button"
msgid "Add UltiMaker printer via Digital Factory"
msgstr ""
msgstr "Adicionar impressora UltiMaker via Digital Factory"
msgctxt "@label"
msgid "Add a Cloud printer"
@ -377,7 +377,7 @@ msgstr "Adicionar ícone à bandeja do sistema *"
msgctxt "@button"
msgid "Add local printer"
msgstr ""
msgstr "Adicionar impressora local"
msgctxt "@option:check"
msgid "Add machine prefix to job name"
@ -495,7 +495,7 @@ msgstr "Um modelo pode ser carregado diminuto se sua unidade for por exemplo em
msgctxt "@label"
msgid "Annealing"
msgstr ""
msgstr "Recozimento"
msgctxt "@label"
msgid "Anonymous"
@ -561,7 +561,7 @@ msgstr "Posicionar Todos os Modelos"
msgctxt "@action:inmenu menubar:edit"
msgid "Arrange All Models in a grid"
msgstr ""
msgstr "Organizar Todos os Modelos em Grade"
msgctxt "@label:button"
msgid "Ask a question"
@ -569,7 +569,7 @@ msgstr "Fazer uma pergunta"
msgctxt "@checkbox:description"
msgid "Auto Backup"
msgstr ""
msgstr "Auto Backup"
msgctxt "@checkbox:description"
msgid "Automatically create a backup each day that Cura is started."
@ -601,7 +601,7 @@ msgstr "Voltar"
msgctxt "@info:title"
msgid "Backup"
msgstr ""
msgstr "Backup"
msgctxt "@button"
msgid "Backup Now"
@ -625,7 +625,7 @@ msgstr "Fazer backup e sincronizar os ajustes do Cura."
msgctxt "@info:title"
msgid "Backups"
msgstr ""
msgstr "Backups"
msgctxt "@action:label"
msgid "Base (mm)"
@ -981,7 +981,7 @@ msgstr "Copiar todos os valores alterados para todos os extrusores"
msgctxt "@action:inmenu menubar:edit"
msgid "Copy to clipboard"
msgstr ""
msgstr "Copiar para a área de transferência"
msgctxt "@action:menu"
msgid "Copy value to all extruders"
@ -1048,6 +1048,8 @@ msgid ""
"Couldn't start EnginePlugin: {self._plugin_id}\n"
"No permission to execute process."
msgstr ""
"Não foi possível iniciar EnginePlugin: {self._plugin_id}\n"
"Sem permissão para executar processo."
#, python-brace-format
msgctxt "@info:plugin_failed"
@ -1055,6 +1057,8 @@ msgid ""
"Couldn't start EnginePlugin: {self._plugin_id}\n"
"Operating system is blocking it (antivirus?)"
msgstr ""
"Não foi possível iniciar EnginePlugin: {self._plugin_id}\n"
"O sistema operacional está bloqueando (antivírus?)"
#, python-brace-format
msgctxt "@info:plugin_failed"
@ -1062,6 +1066,8 @@ msgid ""
"Couldn't start EnginePlugin: {self._plugin_id}\n"
"Resource is temporarily unavailable"
msgstr ""
"Não foi possível iniciar EnginePlugin: {self._plugin_id}\n"
"O recurso está temporariamente indisponível"
msgctxt "@title:window"
msgid "Crash Report"
@ -1174,11 +1180,11 @@ msgstr "CuraEngine Backend"
msgctxt "description"
msgid "CuraEngine plugin for gradually smoothing the flow to limit high-flow jumps"
msgstr ""
msgstr "Complemento do CuraEngine para gradualmente suavizar o fluxo para limitar rajadas de fluxo intenso"
msgctxt "name"
msgid "CuraEngineGradualFlow"
msgstr ""
msgstr "CuraEngineGradualFlow"
msgctxt "@label"
msgid "Currency:"
@ -1214,7 +1220,7 @@ msgstr "Perfil personalizado"
msgctxt "@info"
msgid "Custom profile name:"
msgstr ""
msgstr "Nome de perfil personalizado:"
msgctxt "@label"
msgid "Custom profiles"
@ -1226,7 +1232,7 @@ msgstr "Perfis personalizados"
msgctxt "@action:inmenu menubar:edit"
msgid "Cut"
msgstr ""
msgstr "Cortar"
msgctxt "@item:inlistbox"
msgid "Cutting mesh"
@ -1258,11 +1264,11 @@ msgstr "Recusar e remover da conta"
msgctxt "@info:No intent profile selected"
msgid "Default"
msgstr ""
msgstr "Default"
msgctxt "@label"
msgid "Default"
msgstr ""
msgstr "Default"
msgctxt "@window:text"
msgid "Default behavior for changed setting values when switching to a different profile: "
@ -1278,7 +1284,7 @@ msgstr "Comportamento default ao abrir um arquivo de projeto: "
msgctxt "@action:button"
msgid "Defaults"
msgstr ""
msgstr "Defaults"
msgctxt "@label"
msgid "Defines the thickness of your part side walls, roof and floor."
@ -1402,7 +1408,7 @@ msgstr "Feito"
msgctxt "@button"
msgid "Downgrade"
msgstr ""
msgstr "Downgrade"
msgctxt "@button"
msgid "Downgrading..."
@ -1460,7 +1466,7 @@ msgstr "Habilitar Extrusor"
msgctxt "@label"
msgid "Enable printing a brim or raft. This will add a flat area around or under your object which is easy to cut off afterwards. Disabling it results in a skirt around object by default."
msgstr ""
msgstr "Habilita a impressão de brim ou raft. Adicionará uma área plana em volta do objeto ou abaixo dele que seja fácil de destacar depois. Desabilitar este ajuste resulta em um skirt em volta do objeto por default."
msgctxt "@label"
msgid "Enabled"
@ -1480,7 +1486,7 @@ msgstr "Solução completa para impressão 3D com filamento fundido."
msgctxt "@info:title"
msgid "EnginePlugin"
msgstr ""
msgstr "EnginePlugin"
msgctxt "@label"
msgid "Engineering"
@ -1516,7 +1522,7 @@ msgstr "Sair da Tela Cheia"
msgctxt "@label"
msgid "Experimental"
msgstr ""
msgstr "Experimental"
msgctxt "@action:button"
msgid "Export"
@ -1880,7 +1886,7 @@ msgstr "Interface Gráfica de usuário"
msgctxt "@label"
msgid "Grid Placement"
msgstr ""
msgstr "Posicionamento em Grade"
#, python-brace-format
msgctxt "@label"
@ -1989,7 +1995,7 @@ msgstr "Para monitorar sua impressão pelo Cura, por favor conecte a impressora.
msgctxt "@label"
msgid "In order to start using Cura you will need to configure a printer."
msgstr ""
msgstr "Para poder iniciar o uso do Cura você precisará configurar uma impressora:"
msgctxt "@button"
msgid "In order to use the package you will need to restart Cura"
@ -2005,11 +2011,11 @@ msgstr "Preenchimento"
msgctxt "infill_sparse_density description"
msgid "Infill Density"
msgstr ""
msgstr "Densidade de Preenchimento"
msgctxt "@action:label"
msgid "Infill Pattern"
msgstr ""
msgstr "Padrão de Preenchimento"
msgctxt "@item:inlistbox"
msgid "Infill mesh only"
@ -2069,11 +2075,11 @@ msgstr "Instalar Pacote"
msgctxt "@action:button"
msgid "Install Packages"
msgstr ""
msgstr "Instalar Pacotes"
msgctxt "@header"
msgid "Install Packages"
msgstr ""
msgstr "Instala Pacotes"
msgctxt "@header"
msgid "Install Plugins"
@ -2081,15 +2087,15 @@ msgstr "Instalar Complementos"
msgctxt "@action:button"
msgid "Install missing packages"
msgstr ""
msgstr "Instalar pacotes faltantes"
msgctxt "@title"
msgid "Install missing packages"
msgstr ""
msgstr "Instala pacotes faltantes"
msgctxt "@label"
msgid "Install missing packages from project file."
msgstr ""
msgstr "Instala pacotes faltantes do arquivo de projeto."
msgctxt "@button"
msgid "Install pending updates"
@ -2113,7 +2119,7 @@ msgstr "Objetivo"
msgctxt "@label"
msgid "Interface"
msgstr ""
msgstr "Interface"
msgctxt "@label Description for application component"
msgid "Interprocess communication library"
@ -2229,7 +2235,7 @@ msgstr "Saiba mais sobre adicionar impressoras ao Cura"
msgctxt "@label"
msgid "Learn more about project packages."
msgstr ""
msgstr "Aprenda mais sobre pacotes de projeto"
msgctxt "@action:inmenu menubar:view"
msgid "Left Side View"
@ -2401,11 +2407,11 @@ msgstr "Gerencie seu complementos e perfis de materiais do Cura aqui. Se assegur
msgctxt "description"
msgid "Manages extensions to the application and allows browsing extensions from the UltiMaker website."
msgstr ""
msgstr "Gerencia extensões à aplicação e permite navegar extensões do website da UltiMaker."
msgctxt "description"
msgid "Manages network connections to UltiMaker networked printers."
msgstr ""
msgstr "Gerencia conexões de rede com as impressoras de rede da UltiMaker."
msgctxt "@label"
msgid "Manufacturer"
@ -2505,7 +2511,7 @@ msgstr "Modificar ajustes para sobreposições"
msgctxt "@item:inmenu"
msgid "Monitor"
msgstr ""
msgstr "Monitor"
msgctxt "name"
msgid "Monitor Stage"
@ -2559,7 +2565,7 @@ msgstr[1] "Multiplicar Modelos Selecionados"
msgctxt "@info"
msgid "Multiply selected item and place them in a grid of build plate."
msgstr ""
msgstr "Multiplica o item selecionado e o dispõe em grade na plataforma de impressão."
msgctxt "@info:status"
msgid "Multiplying and placing objects"
@ -2592,11 +2598,11 @@ msgstr "Novo firmware estável de %s disponível"
msgctxt "@textfield:placeholder"
msgid "New Custom Profile"
msgstr ""
msgstr "Novo Perfil Personalizado"
msgctxt "@label"
msgid "New UltiMaker printers can be connected to Digital Factory and monitored remotely."
msgstr ""
msgstr "Novas impressoras UltiMaker podem ser conectadas à Digital Factory e monitoradas remotamente."
#, python-brace-format
msgctxt "@info Don't translate {machine_name}, since it gets replaced by a printer name!"
@ -2627,7 +2633,7 @@ msgstr "Próximo"
msgctxt "@info:title"
msgid "Nightly build"
msgstr ""
msgstr "Compilação noturna"
msgctxt "@info"
msgid "No"
@ -2688,7 +2694,7 @@ msgstr "Sem estimativa de tempo disponível"
msgctxt "@button"
msgid "Non UltiMaker printer"
msgstr ""
msgstr "Impressora Não-UltiMaker"
msgctxt "@info No materials"
msgid "None"
@ -2813,7 +2819,7 @@ msgstr "Abrir Arquivo de Projeto"
msgctxt "@action:label"
msgid "Open With"
msgstr ""
msgstr "Abrir Com"
msgctxt "@action:button"
msgid "Open as project"
@ -2910,7 +2916,7 @@ msgstr "Interpretando G-Code"
msgctxt "@action:inmenu menubar:edit"
msgid "Paste from clipboard"
msgstr ""
msgstr "Colar da área de transferência"
msgctxt "@label"
msgid "Pause"
@ -3205,7 +3211,7 @@ msgstr "Imprimir pela nuvem"
msgctxt "@action:label"
msgid "Print with"
msgstr ""
msgstr "Imprimir com"
msgctxt "@title:tab"
msgid "Printer"
@ -3422,7 +3428,7 @@ msgstr "Provê suporta à leitura de arquivos AMF."
msgctxt "description"
msgid "Provides support for reading Ultimaker Format Packages."
msgstr ""
msgstr "Provê suporte à leitura de Formatos de Pacote Ultimaker."
msgctxt "description"
msgid "Provides support for reading X3D files."
@ -3438,7 +3444,7 @@ msgstr "Provê suporte à escrita de arquivos 3MF."
msgctxt "description"
msgid "Provides support for writing Ultimaker Format Packages."
msgstr ""
msgstr "Provê suporte à escrita de Formatos de Pacote Ultimaker."
msgctxt "description"
msgid "Provides the Per Model Settings."
@ -3507,7 +3513,7 @@ msgstr "Recomendado"
msgctxt "@label"
msgid "Recommended print settings"
msgstr ""
msgstr "Ajustes recomendados de impressão"
msgctxt "@info %1 is the name of a profile"
msgid "Recommended settings (for <b>%1</b>) were altered."
@ -3531,7 +3537,7 @@ msgstr "Atualizar Lista"
msgctxt "@button"
msgid "Refreshing..."
msgstr ""
msgstr "Atualizando..."
msgctxt "@label"
msgid "Release Notes"
@ -3679,7 +3685,7 @@ msgstr "Salvar o projeto Cura e imprimir o arquivo"
msgctxt "@title:window"
msgid "Save Custom Profile"
msgstr ""
msgstr "Salvar Perfil Personalizado"
msgctxt "@title:window"
msgid "Save Project"
@ -3691,15 +3697,15 @@ msgstr "Salvar Projeto..."
msgctxt "@action:button"
msgid "Save as new custom profile"
msgstr ""
msgstr "Salvar como novo perfil personalizado"
msgctxt "@action:button"
msgid "Save changes"
msgstr ""
msgstr "Salvar alterações"
msgctxt "@button"
msgid "Save new profile"
msgstr ""
msgstr "Salvar novo perfil"
msgctxt "@text"
msgid "Save the .umm file on a USB stick."
@ -3874,7 +3880,7 @@ msgstr "Perímetro"
msgctxt "@action:label"
msgid "Shell Thickness"
msgstr ""
msgstr "Espessura de Perímetro"
msgctxt "@info:tooltip"
msgid "Should Cura check for updates when the program is started?"
@ -3946,7 +3952,7 @@ msgstr "Exibir Pasta de Configuração"
msgctxt "@button"
msgid "Show Custom"
msgstr ""
msgstr "Mostrar Personalizado"
msgctxt "@action:inmenu menubar:help"
msgid "Show Online &Documentation"
@ -3986,7 +3992,7 @@ msgstr "Exibir diálogo de resumo ao salvar projeto"
msgctxt "@tooltip:button"
msgid "Show your support for Cura with a donation."
msgstr ""
msgstr "Mostre seu suporte ao Cura com uma doação."
msgctxt "@button"
msgid "Sign Out"
@ -4006,11 +4012,11 @@ msgstr "Entrar"
msgctxt "@info"
msgid "Sign in into UltiMaker Digital Factory"
msgstr ""
msgstr "Fazer login na Ultimaker Digital Factory"
msgctxt "@button"
msgid "Sign in to Digital Factory"
msgstr ""
msgstr "Fazer login na Digital Factory"
msgctxt "@label"
msgid "Sign in to the UltiMaker platform"
@ -4088,15 +4094,15 @@ msgstr ""
msgctxt "@info:status"
msgid "Some of the packages used in the project file are currently not installed in Cura, this might produce undesirable print results. We highly recommend installing the all required packages from the Marketplace."
msgstr ""
msgstr "Alguns dos pacotes usados no arquivo de projeto não estão atualmente instalados no Cura, isto pode produzir resultados de impressão não desejados. Recomendamos fortemente instalar todos os pacotes requeridos pelo MarketPlace."
msgctxt "@info:title"
msgid "Some required packages are not installed"
msgstr ""
msgstr "Alguns pacotes requeridos não estão instalados"
msgctxt "@info %1 is the name of a profile"
msgid "Some setting-values defined in <b>%1</b> were overridden."
msgstr ""
msgstr "Alguns valores de ajustes definidos em <b>%1</b> foram sobrepostos."
msgctxt "@tooltip"
msgid ""
@ -4130,11 +4136,11 @@ msgstr "Velocidade"
msgctxt "@action:inmenu"
msgid "Sponsor Cura"
msgstr ""
msgstr "Patrocinar o Cura"
msgctxt "@label:button"
msgid "Sponsor Cura"
msgstr ""
msgstr "Patrocinar o Cura"
msgctxt "@option:radio"
msgid "Stable and Beta releases"
@ -4223,7 +4229,7 @@ msgstr "Interface de Suporte"
msgctxt "@action:label"
msgid "Support Type"
msgstr ""
msgstr "Tipo de Suporte"
msgctxt "@label Description for application dependency"
msgid "Support library for faster math"
@ -4307,7 +4313,7 @@ msgstr "A quantidade de suavização para aplicar na imagem."
msgctxt "@text"
msgid "The annealing profile requires post-processing in an oven after the print is finished. This profile retains the dimensional accuracy of the printed part after annealing and improves strength, stiffness, and thermal resistance."
msgstr ""
msgstr "O perfil de recozimento requer pós-processamento em um forno depois da impressão terminar. Este perfil retém a acuidade dimensional da parte impressão depois do recozimento e melhora a força, rigidez e resistência térmica."
msgctxt "@label"
msgid "The assigned printer, %1, requires the following configuration change:"
@ -4462,7 +4468,7 @@ msgstr "A porcentagem de luz penetrando uma impressão com espessura de 1 milím
msgctxt "@label:label Ultimaker Marketplace is a brand name, don't translate"
msgid "The plugin associated with the Cura project could not be found on the Ultimaker Marketplace. As the plugin may be required to slice the project it might not be possible to correctly slice the file."
msgstr ""
msgstr "O complemento associado com o projeto Cura não foi encontrado no Ultimaker Marketplace. Como o complemento pode ser necessário para fatiar o projeto, pode não ser possível corretamente fatiar este arquivo."
msgctxt "@info:title"
msgid "The print job was successfully submitted"
@ -4617,7 +4623,7 @@ msgstr "Este perfil usa os defaults especificados pela impressora, portanto não
msgctxt "@label"
msgid "This project contains materials or plugins that are currently not installed in Cura.<br/>Install the missing packages and reopen the project."
msgstr ""
msgstr "Este projeto contém materiais ou complementos que não estão atualmente instalados no Cura.<br/>Instale os pacotes faltantes e abra novamente o projeto."
msgctxt "@label"
msgid ""
@ -4663,7 +4669,7 @@ msgstr "Este ajuste é resolvido dos valores conflitante específicos de extruso
msgctxt "@info:warning"
msgid "This version is not intended for production use. If you encounter any issues, please report them on our GitHub page, mentioning the full version {self.getVersion()}"
msgstr ""
msgstr "Esta versão não é pretendida para uso em produção. Se você encontrar quaisquer problemas, por favor relate-os na nossa página de GitHub, mencionando a versão completa {self.getVersion()}"
msgctxt "@label"
msgid "Time estimation"
@ -4797,7 +4803,7 @@ msgstr "Pacote de Formato da UltiMaker"
msgctxt "name"
msgid "UltiMaker Network Connection"
msgstr ""
msgstr "Conexão de Rede UltiMaker"
msgctxt "@info"
msgid "UltiMaker Verified Package"
@ -4809,11 +4815,11 @@ msgstr "Complemento Verificado UltiMaker"
msgctxt "name"
msgid "UltiMaker machine actions"
msgstr ""
msgstr "Ações de máquina UltiMaker"
msgctxt "@button"
msgid "UltiMaker printer"
msgstr ""
msgstr "Impressora UltiMaker"
msgctxt "@label:button"
msgid "UltiMaker support"
@ -4838,7 +4844,7 @@ msgstr "Não foi possível achar um lugar dentro do volume de construção para
#, python-brace-format
msgctxt "@info:plugin_failed"
msgid "Unable to find local EnginePlugin server executable for: {self._plugin_id}"
msgstr ""
msgstr "Não foi possível encontrar o executável do servidor local de EnginePlugin para: {self._plugin_id}"
#, python-brace-format
msgctxt "@info:plugin_failed"
@ -4846,6 +4852,8 @@ msgid ""
"Unable to kill running EnginePlugin: {self._plugin_id}\n"
"Access is denied."
msgstr ""
"Não foi possível matar o processo EnginePlugin: {self._plugin_id}\n"
"Acesso negado."
msgctxt "@info"
msgid "Unable to reach the UltiMaker account server."
@ -4888,7 +4896,7 @@ msgstr "Não foi possível fatiar com os ajustes atuais. Os seguintes ajustes t
msgctxt "@info"
msgid "Unable to start a new sign in process. Check if another sign in attempt is still active."
msgstr "Não foi possível iniciar processo de sign-in. Verifique se outra tentativa de sign-in ainda está ativa."
msgstr "Não foi possível iniciar processo de login. Verifique se outra tentativa de login ainda está ativa."
msgctxt "@label:status"
msgid "Unavailable"
@ -5093,11 +5101,11 @@ msgstr "Atualiza configurações do Cura 5.2 para o Cura 5.3."
msgctxt "description"
msgid "Upgrades configurations from Cura 5.3 to Cura 5.4."
msgstr ""
msgstr "Atualiza configurações do Cura 5.3 para o Cura 5.4."
msgctxt "description"
msgid "Upgrades configurations from Cura 5.4 to Cura 5.5."
msgstr ""
msgstr "Atualiza configurações do Cura 5.4 para o Cura 5.5."
msgctxt "@action:button"
msgid "Upload custom Firmware"
@ -5229,11 +5237,11 @@ msgstr "Atualização de Versão de 5.2 para 5.3"
msgctxt "name"
msgid "Version Upgrade 5.3 to 5.4"
msgstr ""
msgstr "Atualização de Versão de 5.3 para 5.4"
msgctxt "name"
msgid "Version Upgrade 5.4 to 5.5"
msgstr ""
msgstr "Atualização de Versão de 5.4 para 5.5"
msgctxt "@button"
msgid "View printers in Digital Factory"
@ -5265,7 +5273,7 @@ msgstr "Visita o website da UltiMaker."
msgctxt "@label"
msgid "Visual"
msgstr ""
msgstr "Visual"
msgctxt "@label"
msgid "Waiting for"
@ -5277,7 +5285,7 @@ msgstr "Aguardando resposta da Nuvem"
msgctxt "@button"
msgid "Waiting for new printers"
msgstr ""
msgstr "Esperando por novas impressoras"
msgctxt "@button"
msgid "Want more?"
@ -5429,7 +5437,7 @@ msgstr[1] ""
msgctxt "@info:status"
msgid "You are attempting to connect to a printer that is not running UltiMaker Connect. Please update the printer to the latest firmware."
msgstr ""
msgstr "Você está tentando conectar a uma impressora que não está rodando UltiMaker Connect. Por favor atualize a impressora para o firmware mais recente."
#, python-brace-format
msgctxt "@info:status"

View file

@ -7,7 +7,7 @@ msgstr ""
"Project-Id-Version: Cura 5.0\n"
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
"POT-Creation-Date: 2023-09-12 17:04+0000\n"
"PO-Revision-Date: 2023-06-25 18:17+0200\n"
"PO-Revision-Date: 2023-10-23 06:17+0200\n"
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
"Language: pt_BR\n"
@ -15,7 +15,7 @@ msgstr ""
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
"X-Generator: Poedit 3.3.1\n"
"X-Generator: Poedit 3.3.2\n"
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."
@ -783,11 +783,11 @@ msgstr "Distância da estrutura de suporte até a impressão nas direções X e
msgctxt "meshfix_fluid_motion_shift_distance description"
msgid "Distance points are shifted to smooth the path"
msgstr ""
msgstr "Pontos de distância são deslocados para suavizar o caminho"
msgctxt "meshfix_fluid_motion_small_distance description"
msgid "Distance points are shifted to smooth the path"
msgstr ""
msgstr "Pontos de distância são deslocados para suavizar o caminho"
msgctxt "min_infill_area description"
msgid "Don't generate areas of infill smaller than this (use skin instead)."
@ -839,7 +839,7 @@ msgstr "Habilitar Cobertura de Trabalho"
msgctxt "meshfix_fluid_motion_enabled label"
msgid "Enable Fluid Motion"
msgstr ""
msgstr "Habilitar Movimento Fluido"
msgctxt "ironing_enabled label"
msgid "Enable Ironing"
@ -903,7 +903,7 @@ msgstr "Habilita a cobertura exterior de escorrimento. Isso criará uma casca ou
msgctxt "small_skin_on_surface description"
msgid "Enable small (up to 'Small Top/Bottom Width') regions on the topmost skinned layer (exposed to air) to be filled with walls instead of the default pattern."
msgstr ""
msgstr "Habilita pequenas regiões (até a 'Largura de Teto/Base Pequenos') na camada superior com contorno (exposta ao ar) pra serem preenchidas com paredes ao invés do padrão default."
msgctxt "jerk_enabled description"
msgid "Enables adjusting the jerk of print head when the velocity in the X or Y axis changes. Increasing the jerk can reduce printing time at the cost of print quality."
@ -1119,15 +1119,15 @@ msgstr "Compensação de fluxo: a quantidade de material extrudado é multiplica
msgctxt "meshfix_fluid_motion_angle label"
msgid "Fluid Motion Angle"
msgstr ""
msgstr "Ângulo de Movimento Fluido"
msgctxt "meshfix_fluid_motion_shift_distance label"
msgid "Fluid Motion Shift Distance"
msgstr ""
msgstr "Distância de Deslocamento do Movimento Fluido"
msgctxt "meshfix_fluid_motion_small_distance label"
msgid "Fluid Motion Small Distance"
msgstr ""
msgstr "Distância Pequena do Movimento Fluido"
msgctxt "material_flush_purge_length label"
msgid "Flush Purge Length"
@ -1419,7 +1419,7 @@ msgstr "Se uma região do contorno for suportada por menos do que esta porcentag
msgctxt "meshfix_fluid_motion_angle description"
msgid "If a toolpath-segment deviates more than this angle from the general motion it is smoothed."
msgstr ""
msgstr "Se um segmento do percurso do extrusor se desviar do movimento geral por um ângulo maior que esse, será suavizado."
msgctxt "bridge_enable_more_layers description"
msgid "If enabled, the second and third layers above the air are printed using the following settings. Otherwise, those layers are printed using the normal settings."
@ -3053,13 +3053,14 @@ msgctxt "small_hole_max_size label"
msgid "Small Hole Max Size"
msgstr "Tamanho Máximo de Furos Pequenos"
#, fuzzy
msgctxt "cool_min_temperature label"
msgid "Small Layer Printing Temperature"
msgstr "Temperatura de Impressão Final"
msgctxt "small_skin_on_surface label"
msgid "Small Top/Bottom On Surface"
msgstr ""
msgstr "Pequena Base/Teto Na Superfície"
msgctxt "small_skin_width label"
msgid "Small Top/Bottom Width"
@ -3075,7 +3076,7 @@ msgstr "Aspectos pequenos serão impressos nessa porcentagem da velocidade norma
msgctxt "small_skin_width description"
msgid "Small top/bottom regions are filled with walls instead of the default top/bottom pattern. This helps to avoids jerky motions. Off for the topmost (air-exposed) layer by default (see 'Small Top/Bottom On Surface')."
msgstr ""
msgstr "Regiões pequenas de base/teto são preenchidas com paredes ao invés do padrão default de teto/base. Isto ajuda a prevenir movimentos bruscos. Desligado por default para a camada superior (exposta ao ar) (Veja 'Pequena Base/Teto Na Superfície')"
msgctxt "brim_smart_ordering label"
msgid "Smart Brim"
@ -3169,6 +3170,7 @@ msgctxt "support_bottom_distance label"
msgid "Support Bottom Distance"
msgstr "Distância Inferior do Suporte"
#, fuzzy
msgctxt "support_bottom_wall_count label"
msgid "Support Bottom Wall Line Count"
msgstr "Contagem de Linhas de Parede de Suporte"
@ -3333,6 +3335,7 @@ msgctxt "support_interface_height label"
msgid "Support Interface Thickness"
msgstr "Espessura da Interface de Suporte"
#, fuzzy
msgctxt "support_interface_wall_count label"
msgid "Support Interface Wall Line Count"
msgstr "Contagem de Linhas de Parede de Suporte"
@ -3417,6 +3420,7 @@ msgctxt "support_roof_height label"
msgid "Support Roof Thickness"
msgstr "Espessura do Topo do Suporte"
#, fuzzy
msgctxt "support_roof_wall_count label"
msgid "Support Roof Wall Line Count"
msgstr "Contagem de Linhas de Parede de Suporte"
@ -3757,6 +3761,7 @@ msgctxt "brim_width description"
msgid "The distance from the model to the outermost brim line. A larger brim enhances adhesion to the build plate, but also reduces the effective print area."
msgstr "A distância do modelo à linha mais externa do brim. Um brim mais largo aumenta a aderência à mesa, mas também reduz a área efetiva de impressão."
#, fuzzy
msgctxt "interlocking_boundary_avoidance description"
msgid "The distance from the outside of a model where interlocking structures will not be generated, measured in cells."
msgstr "Distância da ponta do bico onde 'estacionar' o filamento quando seu extrusor não estiver sendo usado."
@ -4273,14 +4278,17 @@ msgctxt "support_wall_count description"
msgid "The number of walls with which to surround support infill. Adding a wall can make support print more reliably and can support overhangs better, but increases print time and material used."
msgstr "O número de paredes com as quais contornar o preenchimento de suporte. Adicionar uma parede pode tornar a impressão de suporte mais confiável e apoiar seções pendentes melhor, mas aumenta tempo de impressão e material usado."
#, fuzzy
msgctxt "support_bottom_wall_count description"
msgid "The number of walls with which to surround support interface floor. Adding a wall can make support print more reliably and can support overhangs better, but increases print time and material used."
msgstr "O número de paredes com as quais contornar o preenchimento de suporte. Adicionar uma parede pode tornar a impressão de suporte mais confiável e apoiar seções pendentes melhor, mas aumenta tempo de impressão e material usado."
#, fuzzy
msgctxt "support_roof_wall_count description"
msgid "The number of walls with which to surround support interface roof. Adding a wall can make support print more reliably and can support overhangs better, but increases print time and material used."
msgstr "O número de paredes com as quais contornar o preenchimento de suporte. Adicionar uma parede pode tornar a impressão de suporte mais confiável e apoiar seções pendentes melhor, mas aumenta tempo de impressão e material usado."
#, fuzzy
msgctxt "support_interface_wall_count description"
msgid "The number of walls with which to surround support interface. Adding a wall can make support print more reliably and can support overhangs better, but increases print time and material used."
msgstr "O número de paredes com as quais contornar o preenchimento de suporte. Adicionar uma parede pode tornar a impressão de suporte mais confiável e apoiar seções pendentes melhor, mas aumenta tempo de impressão e material usado."
@ -4629,6 +4637,7 @@ 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 "A largura do brim a ser impresso sob o suporte. Um brim mais largo melhora a aderência à mesa de impressão, ao custo de material extra."
#, fuzzy
msgctxt "interlocking_beam_width description"
msgid "The width of the interlocking structure beams."
msgstr "A largura da torre de purga."
@ -4999,7 +5008,7 @@ msgstr "Quando verificar se há partes do modelo abaixo e acima do suporte, usar
msgctxt "meshfix_fluid_motion_enabled description"
msgid "When enabled tool paths are corrected for printers with smooth motion planners. Small movements that deviate from the general tool path direction are smoothed to improve fluid motions."
msgstr ""
msgstr "Quando habilitado os percursos do extrusor são corrigidos para impressora com planejadores de movimento suavizado. Pequenos movimentos que se desviariam da direção geral do percurso do extrusor são suavizados para melhorar os movimentos fluidos."
msgctxt "infill_enable_travel_optimization description"
msgid "When enabled, the order in which the infill lines are printed is optimized to reduce the distance travelled. The reduction in travel time achieved very much depends on the model being sliced, infill pattern, density, etc. Note that, for some models that have many small areas of infill, the time to slice the model may be greatly increased."
@ -5023,7 +5032,7 @@ msgstr "Quando maior que zero, a Expansão Horizontal de Furo é gradualmente ap
msgctxt "hole_xy_offset description"
msgid "When greater than zero, the Hole Horizontal Expansion is the amount of offset applied to all holes in each layer. Positive values increase the size of the holes, negative values reduce the size of the holes. When this setting is enabled it can be further tuned with Hole Horizontal Expansion Max Diameter."
msgstr ""
msgstr "Quando maior que zero, a Expansão Original do Furo designa a distância de compensação aplicada a todos os furos em cada camada. Valores positivos aumentam os tamanhos dos furos, valores negativos reduzem os tamanhos dos furos. Quando este ajuste é habilitado, ele pode ser ainda aprimorado com o ajuste 'Diâmetro Máximo da Expansão Horizontal de Furo':"
msgctxt "bridge_skin_material_flow description"
msgid "When printing bridge skin regions, the amount of material extruded is multiplied by this value."
@ -5389,52 +5398,46 @@ msgctxt "travel description"
msgid "travel"
msgstr "percurso"
# ## Settings added by bundled engine backend plugins. Add this manually for now. Should be removed whenever we handle it better.
msgctxt "gradual_flow_enabled label"
msgid "Gradual flow enabled"
msgstr ""
msgstr "Fluxo gradual habilitado"
msgctxt "gradual_flow_enabled description"
msgid "Enable gradual flow changes. When enabled, the flow is gradually increased/decreased to the target flow. This is useful for printers with a bowden tube where the flow is not immediately changed when the extruder motor starts/stops."
msgstr ""
msgstr "Habilita mudanças graduais de fluxo. Quando habilitado, o fluxo é gradualmente aumentado ou reduzido para o fluxo alvo. Útil para impressoras com tubo bowden onde o fluxo não é imediatamente alterado quando o motor do extrusor inicia ou para."
msgctxt "max_flow_acceleration label"
msgid "Gradual flow max acceleration"
msgstr ""
msgstr "Aceleração máxima do fluxo gradual"
msgctxt "max_flow_acceleration description"
msgid "Maximum acceleration for gradual flow changes"
msgstr ""
msgstr "Aceleração máxima para alterações de fluxo gradual"
msgctxt "layer_0_max_flow_acceleration label"
msgid "Initial layer max flow acceleration"
msgstr ""
msgstr "Aceleração máxima de fluxo da camada inicial"
msgctxt "layer_0_max_flow_acceleration description"
msgid "Minimum speed for gradual flow changes for the first layer"
msgstr ""
msgstr "Velocidade mínima para alterações graduais de fluxo na primeira camada"
msgctxt "gradual_flow_discretisation_step_size label"
msgid "Gradual flow discretisation step size"
msgstr ""
msgstr "Tamanho de passo da discretização de fluxo gradual"
msgctxt "gradual_flow_discretisation_step_size description"
msgid "Duration of each step in the gradual flow change"
msgstr ""
msgstr "Duração de cada passo na alteração de fluxo gradual"
msgctxt "reset_flow_duration label"
msgid "Reset flow duration"
msgstr ""
msgstr "Duração de reset do fluxo"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr ""
msgstr "Para qualquer movimento mais longo que este valor, o fluxo material é resetado para o fluxo-alvo do percurso."
#~ msgctxt "machine_head_polygon description"
#~ msgid "A 2D silhouette of the print head (fan caps excluded)."
@ -6652,6 +6655,7 @@ msgstr ""
#~ msgid "WP Upward Printing Speed"
#~ msgstr "Velocidade de Impressão Ascendente da IA"
#, fuzzy
#~ msgctxt "material_bed_temp_wait label"
#~ msgid "Wait for build plate heatup"
#~ msgstr "Aguardar o aquecimento do bico"

View file

@ -5291,3 +5291,86 @@ msgstr "Gravador de G-code comprimido"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Possibilita a exportação de perfis do Cura."
msgctxt "@info:title"
msgid "Error"
msgstr "Erro"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Cancelar"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Definições"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "O ficheiro <filename>{0}</filename> já existe. Tem a certeza de que deseja substituí-lo?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Saber mais"
msgctxt "@title:tab"
msgid "General"
msgstr "Geral"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "Tem a certeza de que deseja remover o perfil %1? Não é possível desfazer esta ação!"
msgctxt "@label"
msgid "Type"
msgstr "Tipo"
msgctxt "@info:title"
msgid "Saving"
msgstr "A Guardar"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "O Ficheiro Já Existe"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Todos os Formatos Suportados ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Não foi possível guardar em <filename>{0}</filename>: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
msgctxt "@info:title"
msgid "Warning"
msgstr "Aviso"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Impressoras"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Ficheiro Guardado"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Confirmar Remoção"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Todos os Ficheiros (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Equilibrado"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "O perfil equilibrado é projetado para encontrar um equilíbrio entre a produtividade, a qualidade da superfície, as propriedades mecânicas e a precisão dimensional."

View file

@ -5331,3 +5331,151 @@ msgstr "Repor duração do fluxo"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Para qualquer movimento de deslocação superior a este valor, o fluxo de material é reposto para o fluxo de destino do percurso."
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Posição Z para Preparação Extrusor"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Aderência à Base de Construção"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Ajusta a colocação das estruturas de suporte. A colocação pode ser definida para tocar na base de construção ou em todo o lado. Quando definida para tocar em todo o lado, as estruturas de suporte também serão impressas no modelo."
msgctxt "material description"
msgid "Material"
msgstr "Material"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Diâmetro do Nozzle"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "O ID do nozzle de um núcleo de extrusão, tal como \"AA 0.4\" e \"BB 0.8\"."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "A coordenada X da posição onde o é feita a preparação do nozzle no inicio da impressão."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Diâmetro"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Posição X Preparação Extrusor"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Ajusta o diâmetro do filamento utilizado. Faça corresponder este valor com o diâmetro do filamento utilizado."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "O diâmetro interno do nozzle. Altere esta definição quando utilizar um nozzle com um tamanho não convencional."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Definições específicas da máquina"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Posição Y Preparação Extrusor"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "A coordenada Z da posição onde fazer a preparação do nozzle no inicio da impressão."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "A coordenada Y da posição onde o é feita a preparação do nozzle no inicio da impressão."
msgctxt "material label"
msgid "Material"
msgstr "Material"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "ID do Nozzle"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Aderência"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Máquina"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Agrupar as paredes externas"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "As paredes externas de diferentes ilhas na mesma camada são impressas em sequência. Quando habilitado, a quantidade de mudanças no fluxo é limitada porque as paredes são impressas um tipo de cada vez; quando desabilitado, o número de deslocamentos entre ilhas é reduzido porque as paredes nas mesmas ilhas são agrupadas."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Fluxo da parede mais externa da superfície superior"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Compensação de fluxo na linha da parede mais externa da superfície superior."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Fluxo da parede interna da superfície superior"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Compensação de fluxo nas linhas de parede da superfície superior para todas as linhas de parede, exceto a mais externa."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Velocidade da parede mais externa da superfície superior"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "A velocidade com que as paredes mais externas da superfície superior são impressas."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Velocidade da parede interna da superfície superior"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "A velocidade com que as paredes internas da superfície superior são impressas."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Aceleração da parede externa da superfície superior"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "A aceleração com a qual as paredes mais externas da superfície superior são impressas."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Aceleração da parede interna da superfície superior"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "A aceleração com a qual as paredes internas da superfície superior são impressas."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Jerk das Paredes Interiores da Superfície Superior"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "A mudança máxima de velocidade instantânea com a qual as paredes internas da superfície superior são impressas."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Jerk da Parede Exterior da Superfície Superior"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "A mudança máxima de velocidade instantânea com a qual as paredes mais externas da superfície superior são impressas."

View file

@ -5317,3 +5317,86 @@ msgstr "Средство записи сжатого G-кода"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Предоставляет поддержку для экспорта профилей Cura."
msgctxt "@info:title"
msgid "Error"
msgstr "Ошибка"
msgctxt "@action:button"
msgid "Cancel"
msgstr "Отмена"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Параметры"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Файл <filename>{0}</filename> уже существует. Вы уверены, что желаете перезаписать его?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Узнать больше"
msgctxt "@title:tab"
msgid "General"
msgstr "Общее"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "Вы уверены, что желаете удалить %1? Это нельзя будет отменить!"
msgctxt "@label"
msgid "Type"
msgstr "Тип"
msgctxt "@info:title"
msgid "Saving"
msgstr "Сохранение"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Файл уже существует"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Все поддерживаемые типы ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "Не могу записать <filename>{0}</filename>: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "OK"
msgctxt "@info:title"
msgid "Warning"
msgstr "Внимание"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Принтеры"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Файл сохранён"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Подтвердите удаление"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Все файлы (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Сбалансированный"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Сбалансированный профиль разработан для достижения баланса между производительностью, качеством поверхности, механическими характеристиками и размерной точностью."

View file

@ -5331,3 +5331,152 @@ msgstr "Сбросить продолжительность потока"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Для любого перемещения, превышающего это значение, поток материала сбрасывается до целевого потока пути"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Z координата начала печати"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Прилипание"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Настраивает размещение структур поддержки. Размещение может быть выбрано с касанием стола или везде. Для последнего случая структуры поддержки печатаются даже на самой модели."
msgctxt "material description"
msgid "Material"
msgstr "Материал"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Диаметр сопла"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "Идентификатор сопла для экструдера, например \"AA 0.4\" и \"BB 0.8\"."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "X координата позиции, в которой сопло начинает печать."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Диаметр"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Начальная X позиция экструдера"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Укажите диаметр используемой нити."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Внутренний диаметр сопла. Измените этот параметр при использовании сопла нестандартного размера."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Параметры, относящиеся к принтеру"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Начальная Y позиция экструдера"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Позиция кончика сопла на оси Z при старте печати."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Y координата позиции, в которой сопло начинает печать."
msgctxt "material label"
msgid "Material"
msgstr "Материал"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "Идентификатор сопла"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Тип прилипания к столу"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Принтер"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Группировать внешние стены"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Внешние стены разных островов в одном слое печатаются последовательно. При включении количество изменений потока ограничено, поскольку стены печатаются один тип за раз, при отключении количество перемещений между островами уменьшается, потому что стены на одних и тех же островах группируются."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Поток на самой внешней линии верхней поверхности"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Компенсация потока на самой внешней линии верхней поверхности."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Поток внутренней стены верхней поверхности"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Компенсация потока на линиях стены верхней поверхности для всех линий стены, кроме самой внешней."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Скорость самых внешних стен верхней поверхности"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Скорость печати самых внешних стен верхней поверхности."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Скорость внутренней поверхности верхней стены"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Скорость, с которой печатаются внутренние стены верхней поверхности."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Ускорение внешней поверхности верхней стены"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Ускорение, с которым печатаются самые внешние стены верхней поверхности."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Ускорение внутренней поверхности верхней стены"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Ускорение, с которым печатаются внутренние стены верхней поверхности."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Рывок внутренних стен верхней поверхности"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Максимальное мгновенное изменение скорости, с которым печатаются внутренние стены верхней поверхности."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Рывок внешних стен верхней поверхности"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Максимальное мгновенное изменение скорости, с которым печатаются самые внешние стены верхней поверхности."

View file

@ -5291,3 +5291,86 @@ msgstr "Sıkıştırılmış G-code Yazıcısı"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "Cura profillerinin dışa aktarılması için destek sağlar."
msgctxt "@info:title"
msgid "Error"
msgstr "Hata"
msgctxt "@action:button"
msgid "Cancel"
msgstr "İptal Et"
msgctxt "@title:tab"
msgid "Settings"
msgstr "Ayarlar"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "Dosya <filename>{0}</filename> zaten mevcut. Üstüne yazmak istediğinizden emin misiniz?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "Daha fazla bilgi edinin"
msgctxt "@title:tab"
msgid "General"
msgstr "Genel"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "%1i kaldırmak istediğinizden emin misiniz? Bu eylem geri alınamaz!"
msgctxt "@label"
msgid "Type"
msgstr "Tür"
msgctxt "@info:title"
msgid "Saving"
msgstr "Kaydediliyor"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "Dosya Zaten Mevcut"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "Tüm desteklenen türler ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "<filename>{0}</filename> dosyasına kaydedilemedi: <message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "Tamam"
msgctxt "@info:title"
msgid "Warning"
msgstr "Uyarı"
msgctxt "@title:tab"
msgid "Printers"
msgstr "Yazıcılar"
msgctxt "@info:title"
msgid "File Saved"
msgstr "Dosya Kaydedildi"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "Kaldırmayı Onayla"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "Tüm Dosyalar (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "Dengeli"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "Dengeli profil, verimlilik, yüzey kalitesi, mekanik özellikler ve boyutsal doğruluk arasında bir denge kurmayı amaçlar."

View file

@ -5331,3 +5331,151 @@ msgstr "Akış süresini sıfırla"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "Bu değerden daha uzun herhangi bir hareket için, malzeme akışı hedef akışına sıfırlanır"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "Ekstruder İlk Z konumu"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "Yapıştırma"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "Destek yapılarının yerleştirilmesini ayarlar. Yerleştirme, temas eden yapı levhasına veya her bölüme ayarlanabilir. Her bölüme ayarlandığında, destek yapıları da modelde yazdırılacaktır."
msgctxt "material description"
msgid "Material"
msgstr "Malzeme"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "Nozül Çapı"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "Ekstruder dişli çarkı için nozül kimliği, “AA 0.4” ve “BB 0.8” gibi."
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Nozül yazdırma işlemini başlatmaya hazırlandığında konumun X koordinatı."
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "Çap"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "Extruder İlk X konumu"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Kullanılan filamanın çapını ayarlar. Bu değeri kullanılan filaman çapı ile eşitleyin."
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Nozül iç çapı. Standart olmayan nozül boyutu kullanırken bu ayarı değiştirin."
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "Makine özel ayarları"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "Extruder İlk Y konumu"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Nozül yazdırma işlemini başlatmaya hazırlandığında konumun Z koordinatı."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Nozül yazdırma işlemini başlatmaya hazırlandığında konumun Y koordinatı."
msgctxt "material label"
msgid "Material"
msgstr "Malzeme"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "Nozül Kimliği"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "Yapı Levhası Yapıştırması"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "Makine"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "Dış Duvarları Grupla"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "Aynı katman içindeki farklı adalardaki dış duvarlar sırayla basılır. Etkinleştirildiğinde, akış değişiklik miktarı duvarlar tür türüne basıldığı için sınırlıdır, devre dışı bırakıldığında ise aynı adalardaki duvarlar gruplandığı için adalar arasındaki seyahat sayısı azalır."
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "Üst Yüzeyin En Dış Duvar Akışı"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "Üst Yüzeyin En Dış Duvar Hattında Akış Telafisi."
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "Üst Yüzey İç Duvar Akışı"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "Tüm duvar hatları için dıştaki hariç üst yüzey duvar hatlarında akış telafi."
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "Üst Yüzeyin En Dış Duvar Hızı"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "Üst Yüzeyin En Dış Duvarlarının Hangi Hızda Basıldığı."
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "Üst Yüzey İç Duvar Hızı"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "Üst Yüzey İç Duvarların Hangi Hızda Basıldığı."
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "Üst Yüzey Dış Duvar Hızlanması"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "Üst Yüzeyin En Dış Duvarlarının Hangi Hızda Basıldığı."
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "Üst Yüzey İç Duvar Hızlanması"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "Üst yüzey iç duvarlarının hangi hızla basıldığı."
msgctxt "jerk_wall_0_roofing label"
msgid "Top Surface Outer Wall Jerk"
msgstr "Üst Yüzeyin İç Duvar Darbesi"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "Üst Yüzeyin İç Duvarlarının Basıldığı Anki Maksimum Hız Değişikliği."
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "Üst Yüzeyin En Dış Duvar Darbesi"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "Üst Yüzeyin En Dış Duvarlarının Basıldığı Anki Maksimum Hız Değişikliği."

View file

@ -3884,7 +3884,7 @@ msgstr "草稿配置文件用于打印初始原型和概念验证,可大大缩
msgctxt "@text"
msgid "The engineering profile is designed to print functional prototypes and end-use parts with the intent of better accuracy and for closer tolerances."
msgstr "工程配置文件用于打印功能性原型和最终用途部件,可提高准确性和减小公差。"
msgstr "工程參数是设计來打印較高精度和較小公差的功能性原型和实际使用零件。"
msgctxt "@label"
msgid "The extruder train to use for printing the support. This is used in multi-extrusion."
@ -5278,3 +5278,86 @@ msgstr "压缩 G-code 写入器"
msgctxt "description"
msgid "Provides support for exporting Cura profiles."
msgstr "提供了对导出 Cura 配置文件的支持。"
msgctxt "@info:title"
msgid "Error"
msgstr "错误"
msgctxt "@action:button"
msgid "Cancel"
msgstr "取消"
msgctxt "@title:tab"
msgid "Settings"
msgstr "设置"
#, python-brace-format
msgctxt "@label Don't translate the XML tag <filename>!"
msgid "The file <filename>{0}</filename> already exists. Are you sure you want to overwrite it?"
msgstr "文件 <filename>{0}</filename> 已存在。您确定要覆盖它吗?"
msgctxt "@action:button"
msgid "Learn more"
msgstr "详细了解"
msgctxt "@title:tab"
msgid "General"
msgstr "基本"
msgctxt "@label (%1 is object name)"
msgid "Are you sure you wish to remove %1? This cannot be undone!"
msgstr "您确认要删除 %1该操作无法恢复"
msgctxt "@label"
msgid "Type"
msgstr "类型"
msgctxt "@info:title"
msgid "Saving"
msgstr "正在保存"
msgctxt "@title:window"
msgid "File Already Exists"
msgstr "文件已存在"
#, python-brace-format
msgctxt "@item:inlistbox"
msgid "All Supported Types ({0})"
msgstr "所有支持的文件类型 ({0})"
#, python-brace-format
msgctxt "@info:status Don't translate the XML tags <filename> or <message>!"
msgid "Could not save to <filename>{0}</filename>: <message>{1}</message>"
msgstr "无法保存到 <filename>{0}</filename><message>{1}</message>"
msgctxt "@action:button"
msgid "OK"
msgstr "确定"
msgctxt "@info:title"
msgid "Warning"
msgstr "警告"
msgctxt "@title:tab"
msgid "Printers"
msgstr "打印机"
msgctxt "@info:title"
msgid "File Saved"
msgstr "文件已保存"
msgctxt "@title:window"
msgid "Confirm Remove"
msgstr "确认删除"
msgctxt "@item:inlistbox"
msgid "All Files (*)"
msgstr "所有文件 (*)"
msgctxt "@label"
msgid "Balanced"
msgstr "平衡"
msgctxt "@text"
msgid "The balanced profile is designed to strike a balance between productivity, surface quality, mechanical properties and dimensional accuracy."
msgstr "平衡配置旨在在生产力、表面质量、机械性能和尺寸精度之間取得平衡。"

View file

@ -179,3 +179,75 @@ msgstr "挤出机 Y 轴起始位置"
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "打印开始时,喷头在 Y 轴坐标上初始位置。"
msgctxt "group_outer_walls label"
msgid "Group Outer Walls"
msgstr "群組外牆"
msgctxt "group_outer_walls description"
msgid "Outer walls of different islands in the same layer are printed in sequence. When enabled the amount of flow changes is limited because walls are printed one type at a time, when disabled the number of travels between islands is reduced because walls in the same islands are grouped."
msgstr "在相同層中,不同島嶼的外牆按順序印製。啟用時,減少流量變化的量,因為牆壁一次印刷一種類型;停用時,減少島嶼之間的行程數,因為相同島嶼的牆壁被分組。"
msgctxt "wall_0_material_flow_roofing label"
msgid "Top Surface Outer Wall Flow"
msgstr "頂部最外牆流"
msgctxt "wall_0_material_flow_roofing description"
msgid "Flow compensation on the top surface outermost wall line."
msgstr "頂部最外牆流量補償"
msgctxt "wall_x_material_flow_roofing label"
msgid "Top Surface Inner Wall(s) Flow"
msgstr "頂部內壁流"
msgctxt "wall_x_material_flow_roofing description"
msgid "Flow compensation on top surface wall lines for all wall lines except the outermost one."
msgstr "所有牆線,除了最外面的牆線,頂部牆線的流動補償"
msgctxt "speed_wall_0_roofing label"
msgid "Top Surface Outer Wall Speed"
msgstr "頂部外牆速度"
msgctxt "speed_wall_0_roofing description"
msgid "The speed at which the top surface outermost wall is printed."
msgstr "頂部最外牆印製時的速度"
msgctxt "speed_wall_x_roofing label"
msgid "Top Surface Inner Wall Speed"
msgstr "頂部內壁速度"
msgctxt "speed_wall_x_roofing description"
msgid "The speed at which the top surface inner walls are printed."
msgstr "頂部內壁印製時的速度"
msgctxt "acceleration_wall_0_roofing label"
msgid "Top Surface Outer Wall Acceleration"
msgstr "頂部外牆加速度"
msgctxt "acceleration_wall_0_roofing description"
msgid "The acceleration with which the top surface outermost walls are printed."
msgstr "頂部最外牆的印刷加速度"
msgctxt "acceleration_wall_x_roofing label"
msgid "Top Surface Inner Wall Acceleration"
msgstr "頂部內壁加速度"
msgctxt "acceleration_wall_x_roofing description"
msgid "The acceleration with which the top surface inner walls are printed."
msgstr "頂部內壁印製時的加速度"
msgctxt "jerk_wall_0_roofing label"
msgid "頂部內壁突變"
msgstr "Saccade de la paroi externe de la surface supérieure"
msgctxt "jerk_wall_0_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface outermost walls are printed."
msgstr "印刷頂部內壁的最大瞬時速度變化。"
msgctxt "jerk_wall_x_roofing label"
msgid "Top Surface Inner Wall Jerk"
msgstr "頂部最外牆突變"
msgctxt "jerk_wall_x_roofing description"
msgid "The maximum instantaneous velocity change with which the top surface inner walls are printed."
msgstr "印刷頂部最外牆的最大瞬時速度變化。"

View file

@ -5331,3 +5331,79 @@ msgstr "重置流量持续时间"
msgctxt "reset_flow_duration description"
msgid "For any travel move longer than this value, the material flow is reset to the paths target flow"
msgstr "对于任何超过此值的行程移动,材料流量将重置为路径目标流量"
msgctxt "extruder_prime_pos_z label"
msgid "Extruder Prime Z Position"
msgstr "挤出机初始 Z 轴位置"
msgctxt "platform_adhesion description"
msgid "Adhesion"
msgstr "附着"
msgctxt "support_type description"
msgid "Adjusts the placement of the support structures. The placement can be set to touching build plate or everywhere. When set to everywhere the support structures will also be printed on the model."
msgstr "调整支撑结构的放置。 放置可以设置为支撑打印平台或全部支撑。 当设置为全部支撑时,支撑结构也将在模型上打印。"
msgctxt "material description"
msgid "Material"
msgstr "材料"
msgctxt "machine_nozzle_size label"
msgid "Nozzle Diameter"
msgstr "喷嘴直径"
msgctxt "machine_nozzle_id description"
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
msgstr "挤出机组的喷嘴 ID比如\"AA 0.4\"和\"BB 0.8\"。"
msgctxt "extruder_prime_pos_x description"
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "打印开始时,喷头在 X 轴上初始位置。"
msgctxt "material_diameter label"
msgid "Diameter"
msgstr "直径"
msgctxt "extruder_prime_pos_x label"
msgid "Extruder Prime X Position"
msgstr "挤出机 X 轴坐标"
msgctxt "material_diameter description"
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "调整所用耗材的直径。 将此值与所用耗材的直径匹配。"
msgctxt "machine_nozzle_size description"
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "喷嘴内径,在使用非标准喷嘴尺寸时需更改此设置。"
msgctxt "machine_settings description"
msgid "Machine specific settings"
msgstr "机器详细设置"
msgctxt "extruder_prime_pos_y label"
msgid "Extruder Prime Y Position"
msgstr "挤出机 Y 轴起始位置"
msgctxt "extruder_prime_pos_z description"
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "打印开始时,喷头在 Z 轴坐标上的起始位置."
msgctxt "extruder_prime_pos_y description"
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "打印开始时,喷头在 Y 轴坐标上初始位置。"
msgctxt "material label"
msgid "Material"
msgstr "材料"
msgctxt "machine_nozzle_id label"
msgid "Nozzle ID"
msgstr "喷嘴 ID"
msgctxt "platform_adhesion label"
msgid "Build Plate Adhesion"
msgstr "打印平台附着"
msgctxt "machine_settings label"
msgid "Machine"
msgstr "机器"

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s3
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = high
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s3
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = fast
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s3
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = normal
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s5
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = high
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s5
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = fast
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -0,0 +1,25 @@
[general]
definition = ultimaker_s5
name = Visual
version = 4
[metadata]
intent_category = visual
material = ultimaker_petg
quality_type = normal
setting_version = 22
type = intent
variant = AA 0.4
[values]
_plugin__curaenginegradualflow__0_1_0__max_flow_acceleration = 0.5
acceleration_print = 2500
acceleration_wall_0 = 1000
inset_direction = inside_out
jerk_wall_0 = 20
speed_print = 50
speed_roofing = =math.ceil(speed_wall*(35/50))
speed_wall_0 = =math.ceil(speed_wall*(20/50))
speed_wall_x = =math.ceil(speed_wall*(35/50))
top_bottom_thickness = =max(1.2 , layer_height * 6)

View file

@ -6,7 +6,12 @@ import QtQuick.Controls 2.15
import QtQuick.Layouts 1.3
import QtQuick.Dialogs
// due for deprication, use Qt Color Dialog instead
// due for deprecation, use Qt Color Dialog instead
ColorDialog
{
id: root
property alias color: root.selectedColor
Component.onCompleted: { console.warn("Cura.ColorDialog is deprecated, use the QtQuick's ColorDialog instead"); }
}

View file

@ -40,8 +40,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -40,8 +40,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -38,8 +38,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -38,8 +38,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -37,8 +37,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -37,8 +37,6 @@ optimize_wall_printing_order = True
prime_tower_brim_enable = True
prime_tower_enable = True
prime_tower_min_volume = 6
prime_tower_position_x = 169
prime_tower_position_y = 25
prime_tower_size = 20
prime_tower_wipe_enabled = True
retract_at_layer_change = False

View file

@ -31,8 +31,6 @@ ooze_shield_angle = 20
ooze_shield_dist = 4
ooze_shield_enabled = True
prime_tower_enable = False
prime_tower_position_x = 350
prime_tower_position_y = 350
retraction_amount = 0.75
retraction_combing = off
retraction_speed = 70

Some files were not shown because too many files have changed in this diff Show more