Merge remote-tracking branch 'origin/4.6' into 4.6

This commit is contained in:
Nino van Hooff 2020-04-09 17:06:06 +02:00
commit 95a8eb6ace
64 changed files with 93918 additions and 94028 deletions

View File

@ -274,7 +274,9 @@ class BuildVolume(SceneNode):
if not self._global_container_stack.extruderList[int(extruder_position)].isEnabled:
node.setOutsideBuildArea(True)
continue
except IndexError:
except IndexError: # Happens when the extruder list is too short. We're not done building the printer in memory yet.
continue
except TypeError: # Happens when extruder_position is None. This object has no extruder decoration.
continue
node.setOutsideBuildArea(False)

View File

@ -181,7 +181,7 @@ class PlatformPhysics:
if tool.getPluginId() == "TranslateTool":
for node in Selection.getAllSelectedObjects():
if node.getBoundingBox().bottom < 0:
if node.getBoundingBox() and node.getBoundingBox().bottom < 0:
if not node.getDecorator(ZOffsetDecorator.ZOffsetDecorator):
node.addDecorator(ZOffsetDecorator.ZOffsetDecorator())

View File

@ -248,6 +248,8 @@ class ExtruderManager(QObject):
extruder_nr = int(global_stack.getProperty(extruder_nr_feature_name, "value"))
if extruder_nr == -1:
continue
if str(extruder_nr) not in self.extruderIds:
extruder_nr = int(self._application.getMachineManager().defaultExtruderPosition)
used_extruder_stack_ids.add(self.extruderIds[str(extruder_nr)])
# Check support extruders

View File

@ -320,9 +320,10 @@ class MachineManager(QObject):
# This signal might not have been emitted yet (if it didn't change) but we still want the models to update that depend on it because we changed the contents of the containers too.
extruder_manager.activeExtruderChanged.emit()
# Validate if the machine has the correct variants
# It can happen that a variant is empty, even though the machine has variants. This will ensure that that
# that situation will be fixed (and not occur again, since it switches it out to the preferred variant instead!)
# Validate if the machine has the correct variants and materials.
# It can happen that a variant or material is empty, even though the machine has them. This will ensure that
# that situation will be fixed (and not occur again, since it switches it out to the preferred variant or
# variant instead!)
machine_node = ContainerTree.getInstance().machines[global_stack.definition.getId()]
for extruder in self._global_container_stack.extruderList:
variant_name = extruder.variant.getName()
@ -330,8 +331,12 @@ class MachineManager(QObject):
if variant_node is None:
Logger.log("w", "An extruder has an unknown variant, switching it to the preferred variant")
self.setVariantByName(extruder.getMetaDataEntry("position"), machine_node.preferred_variant_name)
self.__emitChangedSignals()
variant_node = machine_node.variants.get(machine_node.preferred_variant_name)
material_node = variant_node.materials.get(extruder.material.getId())
if material_node is None:
Logger.log("w", "An extruder has an unknown material, switching it to the preferred material")
self.setMaterialById(extruder.getMetaDataEntry("position"), machine_node.preferred_material)
## Given a definition id, return the machine with this id.
# Optional: add a list of keys and values to filter the list of machines with the given definition id
@ -1249,7 +1254,11 @@ class MachineManager(QObject):
return
Logger.log("i", "Attempting to switch the printer type to [%s]", machine_name)
# Get the definition id corresponding to this machine name
machine_definition_id = CuraContainerRegistry.getInstance().findDefinitionContainers(name = machine_name)[0].getId()
definitions = CuraContainerRegistry.getInstance().findDefinitionContainers(name=machine_name)
if not definitions:
Logger.log("e", "Unable to switch printer type since it could not be found!")
return
machine_definition_id = definitions[0].getId()
# Try to find a machine with the same network key
metadata_filter = {"group_id": self._global_container_stack.getMetaDataEntry("group_id")}
new_machine = self.getMachine(machine_definition_id, metadata_filter = metadata_filter)

View File

@ -53,7 +53,7 @@ if with_sentry_sdk:
if ApplicationMetadata.CuraVersion == "master":
sentry_env = "development" # Master is always a development version.
elif ApplicationMetadata.CuraVersion in ["beta", "BETA"]:
elif "beta" in ApplicationMetadata.CuraVersion or "BETA" in ApplicationMetadata.CuraVersion:
sentry_env = "beta"
try:
if ApplicationMetadata.CuraVersion.split(".")[2] == "99":

View File

@ -38,36 +38,38 @@ class RetractContinue(Script):
current_x = self.getValue(line, "X", current_x)
current_y = self.getValue(line, "Y", current_y)
if self.getValue(line, "G") == 1:
if self.getValue(line, "E"):
new_e = self.getValue(line, "E")
if new_e >= current_e: # Not a retraction.
continue
# A retracted travel move may consist of multiple commands, due to combing.
# This continues retracting over all of these moves and only unretracts at the end.
delta_line = 1
dx = current_x # Track the difference in X for this move only to compute the length of the travel.
dy = current_y
while line_number + delta_line < len(lines) and self.getValue(lines[line_number + delta_line], "G") != 1:
travel_move = lines[line_number + delta_line]
if self.getValue(travel_move, "G") != 0:
delta_line += 1
continue
travel_x = self.getValue(travel_move, "X", dx)
travel_y = self.getValue(travel_move, "Y", dy)
f = self.getValue(travel_move, "F", "no f")
length = math.sqrt((travel_x - dx) * (travel_x - dx) + (travel_y - dy) * (travel_y - dy)) # Length of the travel move.
new_e -= length * extra_retraction_speed # New retraction is by ratio of this travel move.
if f == "no f":
new_travel_move = "G1 X{travel_x} Y{travel_y} E{new_e}".format(travel_x = travel_x, travel_y = travel_y, new_e = new_e)
else:
new_travel_move = "G1 F{f} X{travel_x} Y{travel_y} E{new_e}".format(f = f, travel_x = travel_x, travel_y = travel_y, new_e = new_e)
lines[line_number + delta_line] = new_travel_move
delta_line += 1
dx = travel_x
dy = travel_y
if not self.getValue(line, "E"): # Either None or 0: Not a retraction then.
continue
new_e = self.getValue(line, "E")
if new_e - current_e >= -0.0001: # Not a retraction. Account for floating point rounding errors.
current_e = new_e
continue
# A retracted travel move may consist of multiple commands, due to combing.
# This continues retracting over all of these moves and only unretracts at the end.
delta_line = 1
dx = current_x # Track the difference in X for this move only to compute the length of the travel.
dy = current_y
while line_number + delta_line < len(lines) and self.getValue(lines[line_number + delta_line], "G") != 1:
travel_move = lines[line_number + delta_line]
if self.getValue(travel_move, "G") != 0:
delta_line += 1
continue
travel_x = self.getValue(travel_move, "X", dx)
travel_y = self.getValue(travel_move, "Y", dy)
f = self.getValue(travel_move, "F", "no f")
length = math.sqrt((travel_x - dx) * (travel_x - dx) + (travel_y - dy) * (travel_y - dy)) # Length of the travel move.
new_e -= length * extra_retraction_speed # New retraction is by ratio of this travel move.
if f == "no f":
new_travel_move = "G1 X{travel_x} Y{travel_y} E{new_e}".format(travel_x = travel_x, travel_y = travel_y, new_e = new_e)
else:
new_travel_move = "G1 F{f} X{travel_x} Y{travel_y} E{new_e}".format(f = f, travel_x = travel_x, travel_y = travel_y, new_e = new_e)
lines[line_number + delta_line] = new_travel_move
delta_line += 1
dx = travel_x
dy = travel_y
current_e = new_e
new_layer = "\n".join(lines)
data[layer_number] = new_layer

View File

@ -849,7 +849,7 @@
}
}
},
"VersionUpgrade44to45": {
"VersionUpgrade44to45": {
"package_info": {
"package_id": "VersionUpgrade44to45",
"package_type": "plugin",
@ -866,6 +866,23 @@
}
}
},
"VersionUpgrade45to46": {
"package_info": {
"package_id": "VersionUpgrade45to46",
"package_type": "plugin",
"display_name": "Version Upgrade 4.5 to 4.6",
"description": "Upgrades configurations from Cura 4.5 to Cura 4.6.",
"package_version": "1.0.0",
"sdk_version": "7.1.0",
"website": "https://ultimaker.com",
"author": {
"author_id": "UltimakerPackages",
"display_name": "Ultimaker B.V.",
"email": "plugins@ultimaker.com",
"website": "https://ultimaker.com"
}
}
},
"X3DReader": {
"package_info": {
"package_id": "X3DReader",

View File

@ -45,7 +45,7 @@
"machine_max_jerk_e": { "default_value": 2.5 },
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
"machine_start_gcode": {
"default_value": ";GeeeTech A10M start script\nG28 ;home\nG90 ;absolute positioning\nG1 X0 Y0 Z15 E0 F300 ;go to wait position\nM140 S{material_bed_temperature_layer_0} ;set bed temp\nM190 S{material_print_temperature_layer_0} ;set extruder temp and wait\nG1 Z0.8 F200 ;set extruder height\nG1 X220 Y0 E80 F1000 ;purge line\n;end of start script"
"default_value": ";GeeeTech A10M start script\nG28 ;home\nG90 ;absolute positioning\nG1 X0 Y0 Z15 E0 F300 ;go to wait position\nM140 S{material_bed_temperature_layer_0} ;set bed temp\nM109 S{material_print_temperature_layer_0} ;set extruder temp and wait\nG1 Z0.8 F200 ;set extruder height\nG1 X220 Y0 E80 F1000 ;purge line\n;end of start script"
},
"machine_end_gcode": {
"default_value": "G91\nG1 E-1\nG0 X0 Y200\nM104 S0\nG90\nG92 E0\nM140 S0\nM84\nM104 S0\nM140 S0\nM84"

View File

@ -45,7 +45,7 @@
"machine_max_jerk_e": { "default_value": 2.5 },
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
"machine_start_gcode": {
"default_value": ";GeeeTech A20M start script\nG28 ;home\nG90 ;absolute positioning\nG1 X0 Y0 Z15 E0 F300 ;go to wait position\nM140 S{material_bed_temperature_layer_0} ;set bed temp\nM190 S{material_print_temperature_layer_0} ;set extruder temp and wait\nG1 Z0.8 F200 ;set extruder height\nG1 X220 Y0 E80 F1000 ;purge line\n;end of start script"
"default_value": ";GeeeTech A20M start script\nG28 ;home\nG90 ;absolute positioning\nG1 X0 Y0 Z15 E0 F300 ;go to wait position\nM140 S{material_bed_temperature_layer_0} ;set bed temp\nM109 S{material_print_temperature_layer_0} ;set extruder temp and wait\nG1 Z0.8 F200 ;set extruder height\nG1 X220 Y0 E80 F1000 ;purge line\n;end of start script"
},
"machine_end_gcode": {
"default_value": "G91\nG1 E-1\nG0 X0 Y200\nM104 S0\nG90\nG92 E0\nM140 S0\nM84\nM104 S0\nM140 S0\nM84"

File diff suppressed because it is too large Load Diff

View File

@ -5,16 +5,16 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Uranium json setting files\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-20 17:30+0100\n"
"Last-Translator: DenyCZ <www.github.com/DenyCZ>\n"
"Language-Team: DenyCZ <www.github.com/DenyCZ>\n"
"Language: cs_CZ\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"Last-Translator: DenyCZ <www.github.com/DenyCZ>\n"
"Language: cs_CZ\n"
"X-Generator: Poedit 2.3\n"
#: fdmextruder.def.json
@ -35,9 +35,7 @@ msgstr "Extruder"
#: fdmextruder.def.json
msgctxt "extruder_nr description"
msgid "The extruder train used for printing. This is used in multi-extrusion."
msgstr ""
"Vytlačovací stroj byl použit pro tisknutí. Toto je používáno při vícenásobné "
"extruzi."
msgstr "Vytlačovací stroj byl použit pro tisknutí. Toto je používáno při vícenásobné extruzi."
#: fdmextruder.def.json
msgctxt "machine_nozzle_id label"
@ -56,12 +54,8 @@ msgstr "Průměr trysky"
#: fdmextruder.def.json
msgctxt "machine_nozzle_size description"
msgid ""
"The inner diameter of the nozzle. Change this setting when using a non-"
"standard nozzle size."
msgstr ""
"Vnitřní průměr trysky. Změňte toto nastavení pokud používáte nestandardní "
"velikost trysky."
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "Vnitřní průměr trysky. Změňte toto nastavení pokud používáte nestandardní velikost trysky."
#: fdmextruder.def.json
msgctxt "machine_nozzle_offset_x label"
@ -100,12 +94,8 @@ msgstr "Absolutní počáteční pozice extruderu"
#: fdmextruder.def.json
msgctxt "machine_extruder_start_pos_abs description"
msgid ""
"Make the extruder starting position absolute rather than relative to the "
"last-known location of the head."
msgstr ""
"Udělejte počáteční pozici extrudéru absolutně, nikoli relativně k poslednímu "
"známému umístění hlavy."
msgid "Make the extruder starting position absolute rather than relative to the last-known location of the head."
msgstr "Udělejte počáteční pozici extrudéru absolutně, nikoli relativně k poslednímu známému umístění hlavy."
#: fdmextruder.def.json
msgctxt "machine_extruder_start_pos_x label"
@ -144,12 +134,8 @@ msgstr "Absolutní finální pozice extruderu"
#: fdmextruder.def.json
msgctxt "machine_extruder_end_pos_abs description"
msgid ""
"Make the extruder ending position absolute rather than relative to the last-"
"known location of the head."
msgstr ""
"Koncovou polohu extruderu udělejte absolutně, nikoliv relativně k poslednímu "
"známému umístění hlavy."
msgid "Make the extruder ending position absolute rather than relative to the last-known location of the head."
msgstr "Koncovou polohu extruderu udělejte absolutně, nikoliv relativně k poslednímu známému umístění hlavy."
#: fdmextruder.def.json
msgctxt "machine_extruder_end_pos_x label"
@ -178,9 +164,7 @@ msgstr "První Z pozice extruderu"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_z description"
msgid ""
"The Z coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Souřadnice Z pozice, ve které tryska naplní tlak na začátku tisku."
#: fdmextruder.def.json
@ -190,14 +174,8 @@ msgstr "Chladič extruderu"
#: fdmextruder.def.json
msgctxt "machine_extruder_cooling_fan_number description"
msgid ""
"The number of the print cooling fan associated with this extruder. Only "
"change this from the default value of 0 when you have a different print "
"cooling fan for each extruder."
msgstr ""
"Číslo ventilátoru chlazení tisku přidruženého k tomuto extrudéru. Tuto změnu "
"změňte pouze z výchozí hodnoty 0, pokud máte pro každý extrudér jiný "
"ventilátor chlazení tisku."
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
msgstr "Číslo ventilátoru chlazení tisku přidruženého k tomuto extrudéru. Tuto změnu změňte pouze z výchozí hodnoty 0, pokud máte pro každý extrudér jiný ventilátor chlazení tisku."
#: fdmextruder.def.json
msgctxt "platform_adhesion label"
@ -216,9 +194,7 @@ msgstr "Primární pozice extruderu X"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_x description"
msgid ""
"The X coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Souřadnice X polohy, ve které tryska naplní tlak na začátku tisku."
#: fdmextruder.def.json
@ -228,9 +204,7 @@ msgstr "Primární pozice extruderu Y"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_y description"
msgid ""
"The Y coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Souřadnice Y polohy, ve které tryska naplní tlak na začátku tisku."
#: fdmextruder.def.json
@ -250,9 +224,5 @@ msgstr "Průměr"
#: fdmextruder.def.json
msgctxt "material_diameter description"
msgid ""
"Adjusts the diameter of the filament used. Match this value with the "
"diameter of the used filament."
msgstr ""
"Nastavuje průměr použitého vlákna filamentu. Srovnejte tuto hodnotu s "
"průměrem použitého vlákna."
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Nastavuje průměr použitého vlákna filamentu. Srovnejte tuto hodnotu s průměrem použitého vlákna."

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: German\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: German <info@lionbridge.com>, German <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "Material-GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID des Materials. Dies wird automatisch eingestellt. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Die Distanz von der Düsenspitze, in der Wärme von der Düse zum Filament geleitet wird."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Parkdistanz Filament"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Die Distanz von der Düsenspitze, wo das Filament geparkt wird, wenn ein Extruder nicht mehr verwendet wird."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Der Abstand, der auf die Polygone in der ersten Schicht angewendet wird. Ein negativer Wert kann ein Zerquetschen der ersten Schicht, auch als „Elefantenfuß“ bezeichnet, ausgleichen."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Ausspülgeschwindigkeit"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Ausspüldauer"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Ausspülgeschwindigkeit am Ende des Filaments"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Ausspüldauer am Ende des Filaments"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Maximale Parkdauer"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Faktor für Bewegung ohne Ladung"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Interner Wert für Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Einzug aktivieren"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Das Filament wird eingezogen, wenn sich die Düse über einen nicht zu bedruckenden Bereich bewegt. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "X/Y-Mindestabstand der Stützstruktur"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Der Abstand der Stützstruktur zum Überhang in der X- und Y-Richtung. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Abstand zum Brim-Element"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "Der horizontale Abstand zwischen der ersten Brim-Linie und der Kontur der ersten Schicht des Drucks. Eine kleine Spalte kann das Entfernen des Brims vereinfachen,"
" wobei trotzdem alle thermischen Vorteile genutzt werden können."
msgstr "Der horizontale Abstand zwischen der ersten Brim-Linie und der Kontur der ersten Schicht des Drucks. Eine kleine Spalte kann das Entfernen des Brims vereinfachen, wobei trotzdem alle thermischen Vorteile genutzt werden können."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Netzreparaturen"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Sonderfunktionen"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,10 +4945,7 @@ msgstr "Druckreihenfolge"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Es wird festgelegt, ob eine Schicht für alle Modelle gleichzeitig gedruckt werden soll oder ob zuerst ein Modell fertig gedruckt wird, bevor der Druck"
" eines weiteren begonnen wird. Der „Nacheinandermodus“ ist möglich, wenn a) nur ein Extruder aktiviert ist und b) alle Modelle voneinander getrennt sind,"
" sodass sich der gesamte Druckkopf zwischen allen Modellen bewegen kann und alle Modelle niedriger sind als der Abstand zwischen der Düse und den X/Y-Achsen."
" "
msgstr "Es wird festgelegt, ob eine Schicht für alle Modelle gleichzeitig gedruckt werden soll oder ob zuerst ein Modell fertig gedruckt wird, bevor der Druck eines weiteren begonnen wird. Der „Nacheinandermodus“ ist möglich, wenn a) nur ein Extruder aktiviert ist und b) alle Modelle voneinander getrennt sind, sodass sich der gesamte Druckkopf zwischen allen Modellen bewegen kann und alle Modelle niedriger sind als der Abstand zwischen der Düse und den X/Y-Achsen. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5113,8 +5109,8 @@ msgstr "Experimentell"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "experimentell!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -5983,8 +5979,7 @@ msgstr "Maximale Dichte der Materialsparfüllung der Brücke"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "Maximale Dichte der Füllung, die im Sparmodus eingefüllt werden soll. Haut über spärlicher Füllung wird als nicht unterstützt betrachtet und kann daher"
" als Brückenhaut behandelt werden."
msgstr "Maximale Dichte der Füllung, die im Sparmodus eingefüllt werden soll. Haut über spärlicher Füllung wird als nicht unterstützt betrachtet und kann daher als Brückenhaut behandelt werden."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6154,9 +6149,7 @@ msgstr "Düse zwischen den Schichten abwischen"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Option für das Einfügen eines G-Codes für das Abwischen der Düse zwischen den Schichten (max. einer pro Schicht). Die Aktivierung dieser Einstellung könnte"
" das Einzugsverhalten beim Schichtenwechsel beeinflussen. Verwenden Sie bitte die Einstellungen für Abwischen bei Einzug, um das Einziehen bei Schichten"
" zu steuern, bei denen das Skript für das Abwischen aktiv wird."
msgstr "Option für das Einfügen eines G-Codes für das Abwischen der Düse zwischen den Schichten (max. einer pro Schicht). Die Aktivierung dieser Einstellung könnte das Einzugsverhalten beim Schichtenwechsel beeinflussen. Verwenden Sie bitte die Einstellungen für Abwischen bei Einzug, um das Einziehen bei Schichten zu steuern, bei denen das Skript für das Abwischen aktiv wird."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6166,8 +6159,7 @@ msgstr "Materialmenge zwischen den Wischvorgängen"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Die maximale Materialmenge, die extrudiert werden kann, bevor die Düse ein weiteres Mal abgewischt wird. Ist dieser Wert kleiner als das in einer Schicht"
" benötigte Materialvolumen, so hat die Einstellung in dieser Schicht keine Auswirkung, d.h. sie ist auf ein Wischen pro Schicht begrenzt."
msgstr "Die maximale Materialmenge, die extrudiert werden kann, bevor die Düse ein weiteres Mal abgewischt wird. Ist dieser Wert kleiner als das in einer Schicht benötigte Materialvolumen, so hat die Einstellung in dieser Schicht keine Auswirkung, d.h. sie ist auf ein Wischen pro Schicht begrenzt."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6247,8 +6239,7 @@ msgstr "Z-Sprung beim Abwischen"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Beim Abwischen wird das Druckbett gesenkt, um einen Abstand zwischen Düse und Druck herzustellen. Das verhindert, dass die Düse während der Bewegungen"
" den Druckkörper trifft und verringert die Möglichkeit, dass der Druck vom Druckbett heruntergestoßen wird."
msgstr "Beim Abwischen wird das Druckbett gesenkt, um einen Abstand zwischen Düse und Druck herzustellen. Das verhindert, dass die Düse während der Bewegungen den Druckkörper trifft und verringert die Möglichkeit, dass der Druck vom Druckbett heruntergestoßen wird."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6400,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angewandt wird."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID des Materials. Dies wird automatisch eingestellt. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Parkdistanz Filament"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Die Distanz von der Düsenspitze, wo das Filament geparkt wird, wenn ein Extruder nicht mehr verwendet wird."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Ausspülgeschwindigkeit am Ende des Filaments"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Ausspüldauer am Ende des Filaments"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Interner Wert für Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Das Filament wird eingezogen, wenn sich die Düse über einen nicht zu bedruckenden Bereich bewegt. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Der Abstand der Stützstruktur zum Überhang in der X- und Y-Richtung. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "experimentell!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Gerätekopf Polygon"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Spanish\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Spanish <info@lionbridge.com>, Spanish <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "GUID del material"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID del material. Este valor se define de forma automática. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Distancia desde la punta de la tobera que transfiere calor al filamento."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Distancia a la cual se estaciona el filamento"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Distancia desde la punta de la tobera a la cual se estaciona el filamento cuando un extrusor ya no se utiliza."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Cantidad de desplazamiento aplicado a todos los polígonos de la primera capa. Un valor negativo puede compensar el aplastamiento de la primera capa, lo que se conoce como «pie de elefante»."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Velocidad de purga de descarga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Longitud de purga de descarga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Velocidad de purga del extremo del filamento"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Longitud de purga del extremo del filamento"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Duración máxima de estacionamiento"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Factor de desplazamiento sin carga"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Valor interno de Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Habilitar la retracción"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Retrae el filamento cuando la tobera se mueve sobre un área no impresa. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Distancia X/Y mínima del soporte"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Distancia de la estructura de soporte desde el voladizo en las direcciones X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Distancia del borde"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "La distancia horizontal entre la primera línea de borde y el contorno de la primera capa de la impresión. Un pequeño orificio puede facilitar la eliminación"
" del borde al tiempo que proporciona ventajas térmicas."
msgstr "La distancia horizontal entre la primera línea de borde y el contorno de la primera capa de la impresión. Un pequeño orificio puede facilitar la eliminación del borde al tiempo que proporciona ventajas térmicas."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Correcciones de malla"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Modos especiales"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,9 +4945,7 @@ msgstr "Secuencia de impresión"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Con esta opción se decide si imprimir todos los modelos al mismo tiempo capa por capa o esperar a terminar un modelo antes de pasar al siguiente. El modo"
" de uno en uno solo es posible si todos los modelos están lo suficientemente separados para que el cabezal de impresión pase entre ellos y todos estén"
" a menos de la distancia entre la boquilla y los ejes X/Y. "
msgstr "Con esta opción se decide si imprimir todos los modelos al mismo tiempo capa por capa o esperar a terminar un modelo antes de pasar al siguiente. El modo de uno en uno solo es posible si todos los modelos están lo suficientemente separados para que el cabezal de impresión pase entre ellos y todos estén a menos de la distancia entre la boquilla y los ejes X/Y. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5112,8 +5109,8 @@ msgstr "Experimental"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "¡Experimental!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -5982,8 +5979,7 @@ msgstr "Densidad máxima de relleno de puente escaso"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "La máxima densidad de relleno que se considera escasa. El forro sobre el relleno escaso se considera sin soporte y, por lo tanto, se puede tratar como"
" un forro de puente."
msgstr "La máxima densidad de relleno que se considera escasa. El forro sobre el relleno escaso se considera sin soporte y, por lo tanto, se puede tratar como un forro de puente."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6153,9 +6149,7 @@ msgstr "Limpiar tobera entre capas"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Posibilidad de incluir GCode de limpieza de tobera entre capas (máximo 1 por capa). Habilitar este ajuste puede influir en el comportamiento de retracción"
" en el cambio de capa. Utilice los ajustes de retracción de limpieza para controlar la retracción en las capas donde la secuencia de limpieza estará en"
" curso."
msgstr "Posibilidad de incluir GCode de limpieza de tobera entre capas (máximo 1 por capa). Habilitar este ajuste puede influir en el comportamiento de retracción en el cambio de capa. Utilice los ajustes de retracción de limpieza para controlar la retracción en las capas donde la secuencia de limpieza estará en curso."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6165,8 +6159,7 @@ msgstr "Volumen de material entre limpiezas"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Material máximo que puede extruirse antes de que se inicie otra limpieza de la tobera. Si este valor es inferior al volumen de material necesario en una"
" capa, el ajuste no tiene efecto en esa capa, es decir, se limita a una limpieza por capa."
msgstr "Material máximo que puede extruirse antes de que se inicie otra limpieza de la tobera. Si este valor es inferior al volumen de material necesario en una capa, el ajuste no tiene efecto en esa capa, es decir, se limita a una limpieza por capa."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6246,8 +6239,7 @@ msgstr "Limpiar salto en Z"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Siempre que se limpia, la placa de impresión se baja para crear holgura entre la tobera y la impresión. Impide que la tobera golpee la impresión durante"
" los movimientos de desplazamiento, reduciendo las posibilidades de golpear la impresión desde la placa de impresión."
msgstr "Siempre que se limpia, la placa de impresión se baja para crear holgura entre la tobera y la impresión. Impide que la tobera golpee la impresión durante los movimientos de desplazamiento, reduciendo las posibilidades de golpear la impresión desde la placa de impresión."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6399,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue desde el archivo."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID del material. Este valor se define de forma automática. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Distancia a la cual se estaciona el filamento"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Distancia desde la punta de la tobera a la cual se estaciona el filamento cuando un extrusor ya no se utiliza."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Velocidad de purga del extremo del filamento"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Longitud de purga del extremo del filamento"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno de Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Retrae el filamento cuando la tobera se mueve sobre un área no impresa. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Distancia de la estructura de soporte desde el voladizo en las direcciones X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "¡Experimental!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Polígono del cabezal de la máquina"

View File

@ -3,7 +3,7 @@ msgid ""
msgstr ""
"Project-Id-Version: Uranium json setting files\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE\n"

View File

@ -3,7 +3,7 @@ msgid ""
msgstr ""
"Project-Id-Version: Uranium json setting files\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
"Language-Team: LANGUAGE\n"
@ -74,7 +74,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
@ -309,18 +309,6 @@ msgid ""
"transferred to the filament."
msgstr ""
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr ""
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid ""
"The distance from the tip of the nozzle where to park the filament when an "
"extruder is no longer used."
msgstr ""
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1401,6 +1389,18 @@ msgid ""
"foot\"."
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid ""
"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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2502,7 +2502,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
@ -2512,27 +2512,34 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgid ""
"How much material to use to purge the previous material out of the nozzle "
"(in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgid ""
"How fast to prime the material after replacing an empty spool with a fresh "
"spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgid ""
"How much material to use to purge the previous material out of the nozzle "
"(in length of filament) when replacing an empty spool with a fresh spool of "
"the same material."
msgstr ""
#: fdmprinter.def.json
@ -2542,7 +2549,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
@ -2552,7 +2559,10 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgid ""
"A factor indicating how much the filament gets compressed between the feeder "
"and the nozzle chamber, used to determine how far to move the material for a "
"filament switch."
msgstr ""
#: fdmprinter.def.json
@ -3422,8 +3432,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid ""
"Retract the filament when the nozzle is moving over a non-printed area. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
@ -4247,7 +4256,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid ""
"Distance of the support structure from the overhang in the X/Y directions. "
"Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
@ -5530,7 +5539,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
@ -5687,7 +5696,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
@ -5905,7 +5914,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2017-08-11 14:31+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Finnish\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2017-09-27 12:27+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Finnish\n"
@ -76,8 +76,8 @@ msgstr "Materiaalin GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "Materiaalin GUID. Tämä määritetään automaattisesti. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -289,16 +289,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Suuttimen kärjestä mitattu etäisyys, jonka suuttimen lämpö siirtyy tulostuslankaan."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Tulostuslangan säilytysetäisyys"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Suuttimen kärjestä mitattu etäisyys, jonka päähän tulostuslanka asetetaan säilytykseen, kun suulaketta ei enää käytetä."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1254,6 +1244,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Kaikkia monikulmioita ensimmäisessä kerroksessa koskeva siirtymien määrä. Negatiivisella arvolla kompensoidaan ensimmäisen kerroksen litistymistä, joka tunnetaan \"elefantin jalkana\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2183,7 +2183,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
@ -2193,27 +2193,27 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
@ -2223,7 +2223,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
@ -2233,7 +2233,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
@ -3013,8 +3013,8 @@ msgstr "Ota takaisinveto käyttöön"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Vedä tulostuslanka takaisin, kun suutin liikkuu sellaisen alueen yli, jota ei tulosteta. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3708,8 +3708,8 @@ msgstr "Tuen X-/Y-minimietäisyys"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Tukirakenteen etäisyys ulokkeesta X-/Y-suunnissa. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4805,8 +4805,8 @@ msgstr "Verkkokorjaukset"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4925,8 +4925,8 @@ msgstr "Erikoistilat"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5100,8 +5100,8 @@ msgstr "Kokeellinen"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "kokeellinen!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6382,6 +6382,38 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Mallissa käytettävä muunnosmatriisi, kun malli ladataan tiedostosta."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "Materiaalin GUID. Tämä määritetään automaattisesti. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Tulostuslangan säilytysetäisyys"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Suuttimen kärjestä mitattu etäisyys, jonka päähän tulostuslanka asetetaan säilytykseen, kun suulaketta ei enää käytetä."
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Vedä tulostuslanka takaisin, kun suutin liikkuu sellaisen alueen yli, jota ei tulosteta. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Tukirakenteen etäisyys ulokkeesta X-/Y-suunnissa. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "kokeellinen!"
#~ msgctxt "machine_head_polygon description"
#~ msgid "A 2D silhouette of the print head (fan caps excluded)."
#~ msgstr "2D-siluetti tulostuspäästä (tuulettimen kannattimet pois lukien)"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: French\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: French <info@lionbridge.com>, French <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "GUID matériau"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID du matériau. Cela est configuré automatiquement. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Distance depuis la pointe du bec d'impression sur laquelle la chaleur du bec d'impression est transférée au filament."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Distance de stationnement du filament"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Distance depuis la pointe du bec sur laquelle stationner le filament lorsqu'une extrudeuse n'est plus utilisée."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Le décalage appliqué à tous les polygones dans la première couche. Une valeur négative peut compenser l'écrasement de la première couche, appelé « patte d'éléphant »."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Vitesse de purge d'insertion"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Longueur de la purge d'insertion"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Vitesse de purge de l'extrémité du filament"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Longueur de purge de l'extrémité du filament"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Durée maximum du stationnement"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Facteur de déplacement sans chargement"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Valeur interne de la Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Activer la rétraction"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Rétracte le filament quand la buse se déplace vers une zone non imprimée. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Distance X/Y minimale des supports"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Distance entre la structure de support et le porte-à-faux dans les directions X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Distance de la bordure"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "La distance horizontale entre la première ligne de bordure et le contour de la première couche de l'impression. Un petit trou peut faciliter l'enlèvement"
" de la bordure tout en offrant des avantages thermiques."
msgstr "La distance horizontale entre la première ligne de bordure et le contour de la première couche de l'impression. Un petit trou peut faciliter l'enlèvement de la bordure tout en offrant des avantages thermiques."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Corrections"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "catégorie_corrections"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Modes spéciaux"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "catégorie_noirmagique"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,9 +4945,7 @@ msgstr "Séquence d'impression"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Imprime tous les modèles en même temps, couche par couche, ou attend la fin d'un modèle pour en commencer un autre. Le mode « Un modèle à la fois » est"
" disponible seulement si a) un seul extrudeur est activé et si b) tous les modèles sont suffisamment éloignés pour que la tête puisse passer entre eux"
" et qu'ils sont tous inférieurs à la distance entre la buse et les axes X/Y. "
msgstr "Imprime tous les modèles en même temps, couche par couche, ou attend la fin d'un modèle pour en commencer un autre. Le mode « Un modèle à la fois » est disponible seulement si a) un seul extrudeur est activé et si b) tous les modèles sont suffisamment éloignés pour que la tête puisse passer entre eux et qu'ils sont tous inférieurs à la distance entre la buse et les axes X/Y. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5112,8 +5109,8 @@ msgstr "Expérimental"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "expérimental !"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -5982,8 +5979,7 @@ msgstr "Densité maximale du remplissage mince du pont"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "Densité maximale du remplissage considéré comme étant mince. La couche sur le remplissage mince est considérée comme non soutenue et peut donc être traitée"
" comme une couche du pont."
msgstr "Densité maximale du remplissage considéré comme étant mince. La couche sur le remplissage mince est considérée comme non soutenue et peut donc être traitée comme une couche du pont."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6153,9 +6149,7 @@ msgstr "Essuyer la buse entre les couches"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Inclure ou non le G-Code d'essuyage de la buse entre les couches (maximum 1 par couche). L'activation de ce paramètre peut influencer le comportement de"
" la rétraction lors du changement de couche. Veuillez utiliser les paramètres de rétraction d'essuyage pour contrôler la rétraction aux couches où le script"
" d'essuyage sera exécuté."
msgstr "Inclure ou non le G-Code d'essuyage de la buse entre les couches (maximum 1 par couche). L'activation de ce paramètre peut influencer le comportement de la rétraction lors du changement de couche. Veuillez utiliser les paramètres de rétraction d'essuyage pour contrôler la rétraction aux couches où le script d'essuyage sera exécuté."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6165,8 +6159,7 @@ msgstr "Volume de matériau entre les essuyages"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Le volume maximum de matériau qui peut être extrudé avant qu'un autre essuyage de buse ne soit lancé. Si cette valeur est inférieure au volume de matériau"
" nécessaire dans une couche, le paramètre n'a aucun effet dans cette couche, c'est-à-dire qu'il est limité à un essuyage par couche."
msgstr "Le volume maximum de matériau qui peut être extrudé avant qu'un autre essuyage de buse ne soit lancé. Si cette valeur est inférieure au volume de matériau nécessaire dans une couche, le paramètre n'a aucun effet dans cette couche, c'est-à-dire qu'il est limité à un essuyage par couche."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6246,8 +6239,7 @@ msgstr "Décalage en Z de l'essuyage"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Lors de l'essuyage, le plateau de fabrication est abaissé pour créer un espace entre la buse et l'impression. Cela évite que la buse ne touche l'impression"
" pendant les déplacements, réduisant ainsi le risque de heurter l'impression à partir du plateau de fabrication."
msgstr "Lors de l'essuyage, le plateau de fabrication est abaissé pour créer un espace entre la buse et l'impression. Cela évite que la buse ne touche l'impression pendant les déplacements, réduisant ainsi le risque de heurter l'impression à partir du plateau de fabrication."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6399,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matrice de transformation à appliquer au modèle lors de son chargement depuis le fichier."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID du matériau. Cela est configuré automatiquement. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Distance de stationnement du filament"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Distance depuis la pointe du bec sur laquelle stationner le filament lorsqu'une extrudeuse n'est plus utilisée."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Vitesse de purge de l'extrémité du filament"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Longueur de purge de l'extrémité du filament"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Valeur interne de la Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Rétracte le filament quand la buse se déplace vers une zone non imprimée. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Distance entre la structure de support et le porte-à-faux dans les directions X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "catégorie_corrections"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "catégorie_noirmagique"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "expérimental !"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Polygone de la tête de machine"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2019-10-11 21:12+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-03-24 09:27+0100\n"
"Last-Translator: Nagy Attila <vokroot@gmail.com>\n"
"Language-Team: AT-VLOG\n"
@ -54,12 +54,8 @@ msgstr "Fúvóka átmérő"
#: fdmextruder.def.json
msgctxt "machine_nozzle_size description"
msgid ""
"The inner diameter of the nozzle. Change this setting when using a non-standard "
"nozzle size."
msgstr ""
"A fúvóka belső átmérője. Akkor változtasd meg ezt az értéket, ha nem szabványos "
"méretű fúvókát használsz."
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
msgstr "A fúvóka belső átmérője. Akkor változtasd meg ezt az értéket, ha nem szabványos méretű fúvókát használsz."
#: fdmextruder.def.json
msgctxt "machine_nozzle_offset_x label"
@ -98,12 +94,8 @@ msgstr "Extruder Abszolút Indulási Helyzet"
#: fdmextruder.def.json
msgctxt "machine_extruder_start_pos_abs description"
msgid ""
"Make the extruder starting position absolute rather than relative to the last-"
"known location of the head."
msgstr ""
"Az extruder abszolút kezdeti helyzete helyett a fej utolsó ismert helyzetét "
"használja."
msgid "Make the extruder starting position absolute rather than relative to the last-known location of the head."
msgstr "Az extruder abszolút kezdeti helyzete helyett a fej utolsó ismert helyzetét használja."
#: fdmextruder.def.json
msgctxt "machine_extruder_start_pos_x label"
@ -142,12 +134,8 @@ msgstr "Extruder abszolút vég pozíció"
#: fdmextruder.def.json
msgctxt "machine_extruder_end_pos_abs description"
msgid ""
"Make the extruder ending position absolute rather than relative to the last-"
"known location of the head."
msgstr ""
"Legyen az extruder végállása az abszolút helyzet helyett, az utolsó ismert fej "
"pozíció."
msgid "Make the extruder ending position absolute rather than relative to the last-known location of the head."
msgstr "Legyen az extruder végállása az abszolút helyzet helyett, az utolsó ismert fej pozíció."
#: fdmextruder.def.json
msgctxt "machine_extruder_end_pos_x label"
@ -176,9 +164,7 @@ msgstr "Az extruder Elsődleges Z Pozíciója"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_z description"
msgid ""
"The Z coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
msgstr "Az az elsődleges Z helyzet, ahol a fúvóka a nyomtatást kezdi."
#: fdmextruder.def.json
@ -188,14 +174,8 @@ msgstr "Extruder hűtőventilátor"
#: fdmextruder.def.json
msgctxt "machine_extruder_cooling_fan_number description"
msgid ""
"The number of the print cooling fan associated with this extruder. Only change "
"this from the default value of 0 when you have a different print cooling fan for "
"each extruder."
msgstr ""
"Az extruderekhez társított nyomtatási hűtőventilátor száma.Csak akkor "
"változtassa meg ezt az alapértelmezett 0-tól, ha minden extruder számára külön "
"nyomtatási hűtőventilátor van."
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
msgstr "Az extruderekhez társított nyomtatási hűtőventilátor száma.Csak akkor változtassa meg ezt az alapértelmezett 0-tól, ha minden extruder számára külön nyomtatási hűtőventilátor van."
#: fdmextruder.def.json
msgctxt "platform_adhesion label"
@ -214,9 +194,7 @@ msgstr "Az Extruder Elsődleges X Pozíciója"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_x description"
msgid ""
"The X coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
msgstr "Az az X koordináta, ahol a fúvóka a nyomtatást kezdi."
#: fdmextruder.def.json
@ -226,9 +204,7 @@ msgstr "Az Extruder Elsődleges Y Pozíciója"
#: fdmextruder.def.json
msgctxt "extruder_prime_pos_y description"
msgid ""
"The Y coordinate of the position where the nozzle primes at the start of "
"printing."
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
msgstr "Az az Y koordináta, ahol a fúvóka a nyomtatást kezdi."
#: fdmextruder.def.json
@ -248,7 +224,5 @@ msgstr "Átmérő"
#: fdmextruder.def.json
msgctxt "material_diameter description"
msgid ""
"Adjusts the diameter of the filament used. Match this value with the diameter of "
"the used filament."
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
msgstr "Szálátmérő beállítása. Egyeztesd a használt nyomtatószál átmérőjével."

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Italian\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Italian <info@lionbridge.com>, Italian <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "GUID materiale"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "Il GUID del materiale. È impostato automaticamente. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "La distanza dalla punta dellugello in cui il calore dallugello viene trasferito al filamento."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Distanza posizione filamento"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "La distanza dalla punta dellugello in cui posizionare il filamento quando lestrusore non è più utilizzato."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "È l'entità di offset (estensione dello strato) applicata a tutti i poligoni di supporto in ciascuno strato. Un valore negativo può compensare lo schiacciamento del primo strato noto come \"zampa di elefante\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Velocità di svuotamento dello scarico"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Lunghezza di svuotamento dello scarico"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Velocità di svuotamento della fine del filamento"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Lunghezza di svuotamento della fine del filamento"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Durata di posizionamento massima"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Fattore di spostamento senza carico"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Valore interno della Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Abilitazione della retrazione"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Ritrae il filamento quando l'ugello si sta muovendo su un'area non stampata. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Distanza X/Y supporto minima"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Indica la distanza della struttura di supporto dallo sbalzo, nelle direzioni X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Distanza del Brim"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "Distanza orizzontale tra la linea del primo brim e il profilo del primo layer della stampa. Un piccolo interstizio può semplificare la rimozione del brim"
" e allo stesso tempo fornire dei vantaggi termici."
msgstr "Distanza orizzontale tra la linea del primo brim e il profilo del primo layer della stampa. Un piccolo interstizio può semplificare la rimozione del brim e allo stesso tempo fornire dei vantaggi termici."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Correzioni delle maglie"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Modalità speciali"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,9 +4945,7 @@ msgstr "Sequenza di stampa"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Indica se stampare tutti i modelli un layer alla volta o se attendere di terminare un modello prima di passare al successivo. La modalità \"uno per volta\""
" è possibile solo se a) è abilitato solo un estrusore b) tutti i modelli sono separati in modo tale che l'intera testina di stampa possa muoversi tra di"
" essi e che tutti i modelli siano più bassi della distanza tra l'ugello e gli assi X/Y. "
msgstr "Indica se stampare tutti i modelli un layer alla volta o se attendere di terminare un modello prima di passare al successivo. La modalità \"uno per volta\" è possibile solo se a) è abilitato solo un estrusore b) tutti i modelli sono separati in modo tale che l'intera testina di stampa possa muoversi tra di essi e che tutti i modelli siano più bassi della distanza tra l'ugello e gli assi X/Y. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5112,8 +5109,8 @@ msgstr "Sperimentale"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "sperimentale!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -5982,8 +5979,7 @@ msgstr "Densità massima del riempimento rado del Bridge"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "Densità massima del riempimento considerato rado. Il rivestimento esterno sul riempimento rado è considerato non supportato; pertanto potrebbe essere trattato"
" come rivestimento esterno ponte."
msgstr "Densità massima del riempimento considerato rado. Il rivestimento esterno sul riempimento rado è considerato non supportato; pertanto potrebbe essere trattato come rivestimento esterno ponte."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6153,9 +6149,7 @@ msgstr "Pulitura ugello tra gli strati"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Indica se includere nel G-Code la pulitura ugello tra i layer (massimo 1 per layer). L'attivazione di questa impostazione potrebbe influenzare il comportamento"
" della retrazione al cambio layer. Utilizzare le impostazioni di retrazione per pulitura per controllare la retrazione in corrispondenza dei layer in cui"
" sarà in funzione lo script di pulitura."
msgstr "Indica se includere nel G-Code la pulitura ugello tra i layer (massimo 1 per layer). L'attivazione di questa impostazione potrebbe influenzare il comportamento della retrazione al cambio layer. Utilizzare le impostazioni di retrazione per pulitura per controllare la retrazione in corrispondenza dei layer in cui sarà in funzione lo script di pulitura."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6165,8 +6159,7 @@ msgstr "Volume di materiale tra le operazioni di pulitura"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Il massimo volume di materiale che può essere estruso prima di iniziare un'altra operazione di pulitura ugello. Se questo valore è inferiore al volume"
" del materiale richiesto in un layer, l'impostazione non ha effetto in questo layer, vale a dire che si limita a una pulitura per layer."
msgstr "Il massimo volume di materiale che può essere estruso prima di iniziare un'altra operazione di pulitura ugello. Se questo valore è inferiore al volume del materiale richiesto in un layer, l'impostazione non ha effetto in questo layer, vale a dire che si limita a una pulitura per layer."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6246,8 +6239,7 @@ msgstr "Pulitura Z Hop"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Durante la pulizia, il piano di stampa viene abbassato per creare uno spazio tra l'ugello e la stampa. Questo impedisce l'urto dell'ugello sulla stampa"
" durante gli spostamenti, riducendo la possibilità di far cadere la stampa dal piano."
msgstr "Durante la pulizia, il piano di stampa viene abbassato per creare uno spazio tra l'ugello e la stampa. Questo impedisce l'urto dell'ugello sulla stampa durante gli spostamenti, riducendo la possibilità di far cadere la stampa dal piano."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6399,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matrice di rotazione da applicare al modello quando caricato dal file."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "Il GUID del materiale. È impostato automaticamente. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Distanza posizione filamento"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "La distanza dalla punta dellugello in cui posizionare il filamento quando lestrusore non è più utilizzato."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Velocità di svuotamento della fine del filamento"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Lunghezza di svuotamento della fine del filamento"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Valore interno della Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Ritrae il filamento quando l'ugello si sta muovendo su un'area non stampata. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Indica la distanza della struttura di supporto dallo sbalzo, nelle direzioni X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "sperimentale!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Poligono testina macchina"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Japanese\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-09-23 14:15+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Japanese <info@lionbridge.com>, Japanese <info@bothof.nl>\n"
@ -83,11 +83,10 @@ msgctxt "material_guid label"
msgid "Material GUID"
msgstr "マテリアルGUID"
# msgstr "マテリアルGUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "マテリアルのGUID。これは自動的に設定されます。 "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -316,16 +315,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "ノズルからの熱がフィラメントに伝達される距離。"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "フィラメント留め位置"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "エクストルーダーが使用していない時、フィラメントを留めている場所からノズルまでの距離。"
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1305,6 +1294,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "最初のレイヤーのポリゴンに適用されるオフセットの値。マイナスの値はelephant's footと呼ばれる第一層が潰れるを現象を軽減させます。"
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2271,8 +2270,8 @@ msgstr "フラッシュパージ速度"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2281,28 +2280,28 @@ msgstr "フラッシュパージ長さ"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "フィラメント端パージ速度"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "フィラメント端パージ長さ"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2311,8 +2310,8 @@ msgstr "最大留め期間"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2321,8 +2320,8 @@ msgstr "無負荷移動係数"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Material Station内部値"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3110,8 +3109,8 @@ msgstr "引き戻し有効"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "ノズルが印刷しないで良い領域を移動する際にフィラメントを引き戻す。 "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3809,8 +3808,8 @@ msgstr "最小サポートX/Y距離"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "X/Y方向におけるオーバーハングからサポートまでの距離。 "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4936,8 +4935,8 @@ msgstr "メッシュ修正"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "カテゴリー_メッシュ修正"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -5056,8 +5055,8 @@ msgstr "特別モード"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "カテゴリー_ブラックマジック"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5067,8 +5066,7 @@ msgstr "印刷頻度"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "すべてのモデルをレイヤーごとに印刷するか、1つのモデルがプリント完了するのを待ち次のモデルに移動するかどうか。aエクストルーダーが1つだけ有効であり、bプリントヘッド全体がモデル間を通ることができるようにすべてのモデルが離れていて、すべてのモデルがズルとX/Y軸間の距離よりも小さい場合、1つずつ印刷する事ができます。"
" "
msgstr "すべてのモデルをレイヤーごとに印刷するか、1つのモデルがプリント完了するのを待ち次のモデルに移動するかどうか。aエクストルーダーが1つだけ有効であり、bプリントヘッド全体がモデル間を通ることができるようにすべてのモデルが離れていて、すべてのモデルがズルとX/Y軸間の距離よりも小さい場合、1つずつ印刷する事ができます。 "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5237,8 +5235,8 @@ msgstr "実験"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "実験的!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6534,6 +6532,71 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "ファイルから読み込むときに、モデルに適用するトランスフォーメーションマトリックス。"
# msgstr "マテリアルGUID"
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "マテリアルのGUID。これは自動的に設定されます。 "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "フィラメント留め位置"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "エクストルーダーが使用していない時、フィラメントを留めている場所からノズルまでの距離。"
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "フィラメント端パージ速度"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "フィラメント端パージ長さ"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station内部値"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "ノズルが印刷しないで良い領域を移動する際にフィラメントを引き戻す。 "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "X/Y方向におけるオーバーハングからサポートまでの距離。 "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "カテゴリー_メッシュ修正"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "カテゴリー_ブラックマジック"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "実験的!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "プリントヘッドポリゴン"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Korean <info@bothof.nl>\n"
"Language-Team: Jinbum Kim <Jinbuhm.Kim@gmail.com>, Korean <info@bothof.nl>\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-21 14:59+0100\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Korean <info@lionbridge.com>, Jinbum Kim <Jinbuhm.Kim@gmail.com>, Korean <info@bothof.nl>\n"
@ -82,8 +82,8 @@ msgstr "재료 GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "재료의 GUID. 자동으로 설정됩니다. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -295,16 +295,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "노즐의 열이 필라멘트로 전달되는 노즐의 끝에서부터의 거리."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "필라멘트 park 거리"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "익스트루더가 더 이상 사용되지 않을 때 필라멘트를 파킹 할 노즐의 끝에서부터의 거리."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1260,6 +1250,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "첫 번째 레이어의 모든 다각형에 적용된 오프셋의 양입니다. 음수 값은 \"elephant's foot\"이라고 알려진 현상을 보완 할 수 있습니다."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2191,8 +2191,8 @@ msgstr "수평 퍼지 속도"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2201,28 +2201,28 @@ msgstr "수평 퍼지 길이"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "필라멘트 끝의 퍼지 속도"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "필라멘트 끝의 퍼지 길이"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2231,8 +2231,8 @@ msgstr "최대 파크 기간"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2241,8 +2241,8 @@ msgstr "로드 이동 요인 없음"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Material Station의 내부 값"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3021,8 +3021,8 @@ msgstr "리트렉션 활성화"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "노즐이 프린팅되지 않은 영역 위로 움직일 때 필라멘트를 리트렉션합니다. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3716,8 +3716,8 @@ msgstr "최소 서포트 X/Y 거리"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "X/Y 방향에서 오버행으로부터 서포트까지의 거리. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4815,8 +4815,8 @@ msgstr "메쉬 수정"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "카테고리 수정"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4935,8 @@ msgstr "특수 모드"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "블랙매직 카테고리"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5110,8 +5110,8 @@ msgstr "실험적인"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "실험적인!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6390,6 +6390,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "파일로부터 로드 하는 경유, 모델에 적용될 변환 행렬입니다."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "재료의 GUID. 자동으로 설정됩니다. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "필라멘트 park 거리"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "익스트루더가 더 이상 사용되지 않을 때 필라멘트를 파킹 할 노즐의 끝에서부터의 거리."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "필라멘트 끝의 퍼지 속도"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "필라멘트 끝의 퍼지 길이"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station의 내부 값"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "노즐이 프린팅되지 않은 영역 위로 움직일 때 필라멘트를 리트렉션합니다. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "X/Y 방향에서 오버행으로부터 서포트까지의 거리. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "카테고리 수정"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "블랙매직 카테고리"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "실험적인!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "머신 헤드 폴리곤"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Dutch\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Dutch <info@lionbridge.com>, Dutch <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "Materiaal-GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID van het materiaal. Deze optie wordt automatisch ingesteld. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "De afstand tussen de punt van de nozzle waarin de warmte uit de nozzle wordt overgedragen aan het filament."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Parkeerafstand filament"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "De afstand vanaf de punt van de nozzle waar het filament moet worden geparkeerd wanneer een extruder niet meer wordt gebruikt."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "De mate van offset die wordt toegepast op alle polygonen in de eerste laag. Met negatieve waarden compenseert u het samenpersen van de eerste laag, ook wel 'olifantenpoot' genoemd."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Afvoersnelheid flush"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Afvoerduur flush"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Afvoersnelheid einde van filament"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Afvoerduur einde van filament"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Maximale parkeerduur"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Verplaatsingsfactor zonder lading"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Interne waarde materiaalstation"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Intrekken Inschakelen"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Hiermee wordt het filament ingetrokken wanneer de nozzle over een niet-printbaar gebied gaat. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Minimale X-/Y-afstand Supportstructuur"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Afstand tussen de supportstructuur en de overhang in de X- en Y-richting. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Brimafstand"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "De horizontale afstand tussen de eerste brimlijn en de contour van de eerste laag van de print. Door een kleine tussenruimte is de brim gemakkelijker te"
" verwijderen terwijl de thermische voordelen behouden blijven."
msgstr "De horizontale afstand tussen de eerste brimlijn en de contour van de eerste laag van de print. Door een kleine tussenruimte is de brim gemakkelijker te verwijderen terwijl de thermische voordelen behouden blijven."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Modelcorrecties"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Speciale Modi"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,9 +4945,7 @@ msgstr "Printvolgorde"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Hiermee bepaalt u of alle modellen laag voor laag moeten worden geprint of dat eerst het ene model helemaal klaar moet zijn voordat aan het volgende wordt"
" begonnen. Eén voor één printen is mogelijk als a) slechts één extruder is ingeschakeld en b) alle modellen zodanig zijn gescheiden dat de hele printkop"
" ertussen kan bewegen en alle modellen lager zijn dan de afstand tussen de nozzle en de X/Y-assen. "
msgstr "Hiermee bepaalt u of alle modellen laag voor laag moeten worden geprint of dat eerst het ene model helemaal klaar moet zijn voordat aan het volgende wordt begonnen. Eén voor één printen is mogelijk als a) slechts één extruder is ingeschakeld en b) alle modellen zodanig zijn gescheiden dat de hele printkop ertussen kan bewegen en alle modellen lager zijn dan de afstand tussen de nozzle en de X/Y-assen. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5112,8 +5109,8 @@ msgstr "Experimenteel"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "experimenteel!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -5982,8 +5979,7 @@ msgstr "Maximale dichtheid van dunne vulling brugskin"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "Maximale dichtheid van de vulling die als dun wordt beschouwd. Skin boven dunne vulling wordt als niet-ondersteund beschouwd en kan dus als een brugskin"
" worden behandeld."
msgstr "Maximale dichtheid van de vulling die als dun wordt beschouwd. Skin boven dunne vulling wordt als niet-ondersteund beschouwd en kan dus als een brugskin worden behandeld."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6153,9 +6149,7 @@ msgstr "Nozzle afvegen tussen lagen"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Hiermee bepaalt u of u het afvegen van de nozzle tussen lagen wilt opnemen in de G-code. Het inschakelen van deze optie kan het gedrag van het intrekken"
" bij de laagwissel beïnvloeden. Gebruik de instellingen voor Intrekken voor afvegen om het intrekken te regelen bij lagen waarbij het afveegscript actief"
" is."
msgstr "Hiermee bepaalt u of u het afvegen van de nozzle tussen lagen wilt opnemen in de G-code. Het inschakelen van deze optie kan het gedrag van het intrekken bij de laagwissel beïnvloeden. Gebruik de instellingen voor Intrekken voor afvegen om het intrekken te regelen bij lagen waarbij het afveegscript actief is."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6165,8 +6159,7 @@ msgstr "Materiaalvolume tussen afvegen"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Maximale materiaalhoeveelheid die kan worden geëxtrudeerd voordat de nozzle opnieuw wordt afgeveegd. Als deze waarde kleiner is dan het benodigde materiaalvolume"
" in een laag, heeft de instelling geen effect op deze laag. Er wordt dan maar een keer per laag afgeveegd."
msgstr "Maximale materiaalhoeveelheid die kan worden geëxtrudeerd voordat de nozzle opnieuw wordt afgeveegd. Als deze waarde kleiner is dan het benodigde materiaalvolume in een laag, heeft de instelling geen effect op deze laag. Er wordt dan maar een keer per laag afgeveegd."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6246,8 +6239,7 @@ msgstr "Z-sprong afvegen"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Tijdens het afvegen wordt het platform omlaag gebracht om ruimte te creëren tussen de nozzle en de print. Hiermee wordt voorkomen dat de nozzle de print"
" raakt tijdens een beweging en wordt de kans verkleind dat de print van het platform wordt gestoten."
msgstr "Tijdens het afvegen wordt het platform omlaag gebracht om ruimte te creëren tussen de nozzle en de print. Hiermee wordt voorkomen dat de nozzle de print raakt tijdens een beweging en wordt de kans verkleind dat de print van het platform wordt gestoten."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6399,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Omzettingsmatrix die moet worden toegepast op het model wanneer dit wordt geladen vanuit een bestand."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID van het materiaal. Deze optie wordt automatisch ingesteld. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Parkeerafstand filament"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "De afstand vanaf de punt van de nozzle waar het filament moet worden geparkeerd wanneer een extruder niet meer wordt gebruikt."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Afvoersnelheid einde van filament"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Afvoerduur einde van filament"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Interne waarde materiaalstation"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Hiermee wordt het filament ingetrokken wanneer de nozzle over een niet-printbaar gebied gaat. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Afstand tussen de supportstructuur en de overhang in de X- en Y-richting. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "experimenteel!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Machinekoppolygoon"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Mariusz 'Virgin71' Matłosz <matliks@gmail.com>\n"
"Language-Team: reprapy.pl\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-11-15 15:34+0100\n"
"Last-Translator: Mariusz Matłosz <matliks@gmail.com>\n"
"Language-Team: Mariusz Matłosz <matliks@gmail.com>, reprapy.pl\n"
@ -81,8 +81,8 @@ msgstr "GUID Materiału"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID materiału. To jest ustawiana automatycznie "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Odległość od końcówki dyszy, z której ciepło dyszy przenoszone jest do filamentu."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Odległość Park. Filamentu"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Odległość od końcówki dyszy, gdzie parkować głowicę gdy nie jest używana."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Wartość przesunięcia dodawana do wszystkich powierzchni na pierwszej warstwie. Ujemna wartość może skompensować rozlewanie się pierwszej warstwy znane jako \"stopa słonia\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,7 +2190,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
@ -2200,27 +2200,27 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
@ -2230,7 +2230,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
@ -2240,7 +2240,7 @@ msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
@ -3020,8 +3020,8 @@ msgstr "Włącz Retrakcję"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Cofnij filament, gdy dysza porusza się nad obszarem, w którym nie ma drukować. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Min. Odległość X/Y Podpory"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Odległość podpory od zwisu w kierunkach X/Y "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4814,8 +4814,8 @@ msgstr "Poprawki Siatki"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "poprawki_kategorii"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4934,8 +4934,8 @@ msgstr "Specjalne Tryby"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5109,8 +5109,8 @@ msgstr "Eksperymentalne"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "eksperymentalne!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6391,6 +6391,38 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Forma przesunięcia, która ma być zastosowana do modelu podczas ładowania z pliku."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID materiału. To jest ustawiana automatycznie "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Odległość Park. Filamentu"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Odległość od końcówki dyszy, gdzie parkować głowicę gdy nie jest używana."
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Cofnij filament, gdy dysza porusza się nad obszarem, w którym nie ma drukować. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Odległość podpory od zwisu w kierunkach X/Y "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "poprawki_kategorii"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "eksperymentalne!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Obszar głowicy drukarki"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-17 05:55+0100\n"
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-17 06:50+0100\n"
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
@ -82,8 +82,8 @@ msgstr "GUID do Material"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID do material. Este valor é ajustado automaticamente. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -295,16 +295,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Distância da ponta do bico, em que calor do bico é transferido para o filamento."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Distância de Descanso do Filamento"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Distância da ponta do bico onde 'estacionar' o filamento quando seu extrusor não estiver sendo usado."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1260,6 +1250,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Deslocamento adicional aplicado a todos os polígonos da primeira camada. Um valor negativo pode compensar pelo esmagamento da primeira camada conhecido como \"pata de elefante\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2191,8 +2191,8 @@ msgstr "Velocidade de Descarga de Purga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2201,28 +2201,28 @@ msgstr "Comprimento da Descarga de Purga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Velocidade de Purga de Fim de Filamento"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Comprimento de Purga de Fim de Filamento"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2231,8 +2231,8 @@ msgstr "Duração Máxima de Descanso"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2241,8 +2241,8 @@ msgstr "Fator de Movimento Sem Carga"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Valor interno da Estação de Material"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3021,8 +3021,8 @@ msgstr "Habilitar Retração"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Retrai o filamento quando o bico está se movendo sobre uma área não impressa. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3716,8 +3716,8 @@ msgstr "Distância Mínima de Suporte X/Y"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Distância da estrutura de suporte até a seção pendente nas direções X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4815,8 +4815,8 @@ msgstr "Correções de Malha"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "reparos_de_categoria"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4935,8 @@ msgstr "Modos Especiais"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "categoria_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5110,8 +5110,8 @@ msgstr "Experimental"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "experimental!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6392,6 +6392,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matriz de transformação a ser aplicada ao modelo após o carregamento do arquivo."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID do material. Este valor é ajustado automaticamente. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Distância de Descanso do Filamento"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Distância da ponta do bico onde 'estacionar' o filamento quando seu extrusor não estiver sendo usado."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Velocidade de Purga de Fim de Filamento"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Comprimento de Purga de Fim de Filamento"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Estação de Material"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Retrai o filamento quando o bico está se movendo sobre uma área não impressa. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Distância da estrutura de suporte até a seção pendente nas direções X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "reparos_de_categoria"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "categoria_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "experimental!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Polígono Da Cabeça da Máquina"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-14 14:15+0100\n"
"Last-Translator: Portuguese <info@bothof.nl>\n"
"Language-Team: Paulo Miranda <av@utopica3d.com>, Portuguese <info@bothof.nl>\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0100\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Portuguese <info@lionbridge.com>, Paulo Miranda <av@utopica3d.com>, Portuguese <info@bothof.nl>\n"
@ -82,8 +82,8 @@ msgstr "GUID do material"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "GUID do material. Este é definido automaticamente. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -297,16 +297,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "A distância, a partir da ponta do nozzle, na qual o calor do nozzle é transferido para o filamento."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Distância de \"estacionamento\" do filamento"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "A distância, a partir da ponta do nozzle, à qual o filamento deve ser \"estacionado\" quando um extrusor já não está em utilização."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1293,6 +1283,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Quantidade de desvio aplicado a todos os polígonos na primeira camada. Um valor negativo pode compensar o \"esmagamento\" da camada inicial, conhecido como \"pé de elefante\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2253,8 +2253,8 @@ msgstr "Velocidade da purga da descarga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2263,28 +2263,28 @@ msgstr "Comprimento da purga da descarga"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Velocidade da purga do fim do filamento"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Comprimento da purga do fim do filamento"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2293,8 +2293,8 @@ msgstr "Duração máxima do parqueamento"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2303,8 +2303,8 @@ msgstr "Fator do movimento sem carregamento"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Valor interno da Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3113,8 +3113,8 @@ msgstr "Ativar Retração"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Retrai o filamento quando o nozzle está em movimento numa área sem impressão. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3837,8 +3837,8 @@ msgstr "Distância X/Y mínima de suporte"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "A distância da estrutura de suporte relativamente às saliências nas direções X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4453,8 +4453,7 @@ msgstr "Distância da Aba"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "A distância horizontal entre a primeira linha da aba e o contorno da primeira camada da impressão. Uma pequena folga pode tornar a aba mais fácil de remover,"
" e, ao mesmo tempo, proporcionar as vantagens térmicas."
msgstr "A distância horizontal entre a primeira linha da aba e o contorno da primeira camada da impressão. Uma pequena folga pode tornar a aba mais fácil de remover, e, ao mesmo tempo, proporcionar as vantagens térmicas."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4951,8 +4950,8 @@ msgstr "Correção de Objectos (Mesh)"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "correção_categorias"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -5083,8 +5082,8 @@ msgstr "Modos Especiais"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "categoria_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5094,9 +5093,7 @@ msgstr "Sequência de impressão"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Imprimir todos os modelos uma camada de cada vez ou aguardar que um modelo termine, antes de passar para o seguinte. O modo individual é possível se a)"
" apenas uma extrusora estiver ativa, e b) todos os modelos estiverem separados de forma a que a cabeça de impressão se possa mover por entre todos os modelos,"
" e em que altura destes seja inferior à distância entre o nozzle e os eixos X/Y. "
msgstr "Imprimir todos os modelos uma camada de cada vez ou aguardar que um modelo termine, antes de passar para o seguinte. O modo individual é possível se a) apenas uma extrusora estiver ativa, e b) todos os modelos estiverem separados de forma a que a cabeça de impressão se possa mover por entre todos os modelos, e em que altura destes seja inferior à distância entre o nozzle e os eixos X/Y. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5268,8 +5265,8 @@ msgstr "Experimental"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "experimental!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6154,8 +6151,7 @@ msgstr "Densidade Máx. Enchimento Disperso de Bridge"
#: fdmprinter.def.json
msgctxt "bridge_sparse_infill_max_density description"
msgid "Maximum density of infill considered to be sparse. Skin over sparse infill is considered to be unsupported and so may be treated as a bridge skin."
msgstr "Densidade máxima do enchimento considerado como disperso. O revestimento sobre o enchimento disperso não é considerado como ter suportes, pelo que pode"
" ser tratado como um revestimento de Bridge."
msgstr "Densidade máxima do enchimento considerado como disperso. O revestimento sobre o enchimento disperso não é considerado como ter suportes, pelo que pode ser tratado como um revestimento de Bridge."
#: fdmprinter.def.json
msgctxt "bridge_wall_coast label"
@ -6325,8 +6321,7 @@ msgstr "Limpar nozzle entre camadas"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Se, se deve incluir o G-Code para a limpeza do nozzle entre camadas (máximo de 1 por camada). Ativar esta definição pode influenciar o comportamento da"
" retração na mudança da camada. Utilize as definições da Retração de Limpeza para controlar a retração em camadas onde o script de limpeza estará a funcionar."
msgstr "Se, se deve incluir o G-Code para a limpeza do nozzle entre camadas (máximo de 1 por camada). Ativar esta definição pode influenciar o comportamento da retração na mudança da camada. Utilize as definições da Retração de Limpeza para controlar a retração em camadas onde o script de limpeza estará a funcionar."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6336,8 +6331,7 @@ msgstr "Volume de material entre limpezas"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Quantidade máxima de material que pode ser extrudido antes de ser iniciada outra limpeza do nozzle. Se este valor for inferior ao volume do material necessário"
" numa camada, esta definição não tem qualquer influência nessa camada, ou seja, está limitada a uma limpeza por camada."
msgstr "Quantidade máxima de material que pode ser extrudido antes de ser iniciada outra limpeza do nozzle. Se este valor for inferior ao volume do material necessário numa camada, esta definição não tem qualquer influência nessa camada, ou seja, está limitada a uma limpeza por camada."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6417,8 +6411,7 @@ msgstr "Salto Z de limpeza"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Quando efetuar a limpeza, a base de construção é descida para criar um espaço entre o nozzle e a impressão. Impede o nozzle de atingir a impressão durante"
" os movimentos de deslocação, reduzindo a possibilidade de derrubar a impressão da base de construção."
msgstr "Quando efetuar a limpeza, a base de construção é descida para criar um espaço entre o nozzle e a impressão. Impede o nozzle de atingir a impressão durante os movimentos de deslocação, reduzindo a possibilidade de derrubar a impressão da base de construção."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6570,6 +6563,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Matriz de transformação a ser aplicada ao modelo quando abrir o ficheiro."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "GUID do material. Este é definido automaticamente. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Distância de \"estacionamento\" do filamento"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "A distância, a partir da ponta do nozzle, à qual o filamento deve ser \"estacionado\" quando um extrusor já não está em utilização."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Velocidade da purga do fim do filamento"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Comprimento da purga do fim do filamento"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Valor interno da Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Retrai o filamento quando o nozzle está em movimento numa área sem impressão. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "A distância da estrutura de suporte relativamente às saliências nas direções X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "correção_categorias"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "categoria_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "experimental!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Polígono da cabeça da máquina"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Ruslan Popov <ruslan.popov@gmail.com>, Russian <info@bothof.nl>\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-21 15:14+0100\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Russian <info@lionbridge.com>, Ruslan Popov <ruslan.popov@gmail.com>, Russian <info@bothof.nl>\n"
@ -82,8 +82,8 @@ msgstr "GUID материала"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "Идентификатор материала, устанавливается автоматически. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -295,16 +295,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Расстояние от кончика сопла до места, где тепло передаётся материалу."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Расстояние парковки материала"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Расстояние от кончика сопла до места, где останавливается материал, пока экструдер не используется."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1260,6 +1250,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "Сумма смещений, применяемая ко всем полигонам первого слоя. Отрицательное значение может компенсировать \"хлюпанье\" первого слоя, известное как \"слоновая нога\"."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2191,8 +2191,8 @@ msgstr "Скорость выдавливания заподлицо"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2201,28 +2201,28 @@ msgstr "Длина выдавливания заподлицо"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Скорость выдавливания заканчивающегося материала"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Длина выдавливания заканчивающегося материала"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2231,8 +2231,8 @@ msgstr "Максимальная продолжительность парков
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2241,8 +2241,8 @@ msgstr "Коэффициент движения без нагрузки"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Внутреннее значение Material Station"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3021,8 +3021,8 @@ msgstr "Разрешить откат"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Откат нити при движении сопла вне зоны печати. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3716,8 +3716,8 @@ msgstr "Минимальный X/Y зазор поддержки"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Зазор между структурами поддержек и нависанием по осям X/Y. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4815,8 +4815,8 @@ msgstr "Ремонт объектов"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4935,8 @@ msgstr "Специальные режимы"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5110,8 +5110,8 @@ msgstr "Экспериментальное"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "экспериментальное!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6392,6 +6392,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Матрица преобразования, применяемая к модели при её загрузке из файла."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "Идентификатор материала, устанавливается автоматически. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Расстояние парковки материала"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Расстояние от кончика сопла до места, где останавливается материал, пока экструдер не используется."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Скорость выдавливания заканчивающегося материала"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Длина выдавливания заканчивающегося материала"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Внутреннее значение Material Station"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Откат нити при движении сопла вне зоны печати. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Зазор между структурами поддержек и нависанием по осям X/Y. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "экспериментальное!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Полигон головки принтера"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: Turkish\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-07-29 15:51+0100\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Turkish <info@lionbridge.com>, Turkish <info@bothof.nl>\n"
@ -81,8 +81,8 @@ msgstr "GUID malzeme"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "Malzemedeki GUID Otomatik olarak ayarlanır. "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -294,16 +294,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "Nozülden gelen ısının filamana aktarıldığı nozül ucuna olan mesafe."
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "Filaman Bırakma Mesafesi"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "Bir ekstrüder artık kullanılmadığında filamanın bırakılacağı nozül ucuna olan mesafe."
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1259,6 +1249,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "İlk katmandaki tüm poligonlara uygulanan ofset miktarı. Negatif bir değer “fil ayağı” olarak bilinen ilk katman ezilmesini dengeleyebilir."
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2190,8 +2190,8 @@ msgstr "Temizleme Hızı"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2200,28 +2200,28 @@ msgstr "Temizleme Uzunluğu"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "Filament Temizliği Bitiş Hızı"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "Filament Temizliği Bitiş Uzunluğu"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2230,8 +2230,8 @@ msgstr "Maksimum Durma Süresi"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2240,8 +2240,8 @@ msgstr "Yük Taşıma Çarpanı Yok"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Material Station iç değeri"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3020,8 +3020,8 @@ msgstr "Geri Çekmeyi Etkinleştir"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "Nozül yazdırılamayan alana doğru hareket ettiğinde filamanı geri çeker. "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3715,8 +3715,8 @@ msgstr "Minimum Destek X/Y Mesafesi"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "Destek yapısının X/Y yönlerindeki çıkıntıya mesafesi. "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4325,8 +4325,7 @@ msgstr "Uç Mesafesi"
#: fdmprinter.def.json
msgctxt "brim_gap description"
msgid "The horizontal distance between the first brim line and the outline of the first layer of the print. A small gap can make the brim easier to remove while still providing the thermal benefits."
msgstr "Baskının ilk katmanının uçtaki ilk hattı ile ana hattı arasındaki yatay mesafe. Küçük bir boşluk baskının uç kısmının kolayca çıkarılmasını sağlamasının"
" yanı sıra ısı bakımından da avantajlıdır."
msgstr "Baskının ilk katmanının uçtaki ilk hattı ile ana hattı arasındaki yatay mesafe. Küçük bir boşluk baskının uç kısmının kolayca çıkarılmasını sağlamasının yanı sıra ısı bakımından da avantajlıdır."
#: fdmprinter.def.json
msgctxt "brim_replaces_support label"
@ -4815,8 +4814,8 @@ msgstr "Ağ Onarımları"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4934,8 @@ msgstr "Özel Modlar"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -4946,9 +4945,7 @@ msgstr "Yazdırma Dizisi"
#: fdmprinter.def.json
msgctxt "print_sequence description"
msgid "Whether to print all models one layer at a time or to wait for one model to finish, before moving on to the next. One at a time mode is possible if a) only one extruder is enabled and b) all models are separated in such a way that the whole print head can move in between and all models are lower than the distance between the nozzle and the X/Y axes. "
msgstr "Sıradakine geçmeden önce, tüm modellerin tek seferde bir katmanla mı yazdırılacağı yoksa bir modelin bitmesinin mi bekleneceği. Teker teker modu a) yalnızca"
" bir ekstrüder etkinleştirildiğinde b) tüm modeller baskı kafası aralarında hareket edecek veya nozül ile X/Y eksenleri arasındaki mesafeden az olacak"
" şekilde ayrıldığında kullanılabilir. "
msgstr "Sıradakine geçmeden önce, tüm modellerin tek seferde bir katmanla mı yazdırılacağı yoksa bir modelin bitmesinin mi bekleneceği. Teker teker modu a) yalnızca bir ekstrüder etkinleştirildiğinde b) tüm modeller baskı kafası aralarında hareket edecek veya nozül ile X/Y eksenleri arasındaki mesafeden az olacak şekilde ayrıldığında kullanılabilir. "
#: fdmprinter.def.json
msgctxt "print_sequence option all_at_once"
@ -5112,8 +5109,8 @@ msgstr "Deneysel"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "deneysel!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6152,8 +6149,7 @@ msgstr "Katmanlar Arasındaki Sürme Nozülü"
#: fdmprinter.def.json
msgctxt "clean_between_layers description"
msgid "Whether to include nozzle wipe G-Code between layers (maximum 1 per layer). Enabling this setting could influence behavior of retract at layer change. Please use Wipe Retraction settings to control retraction at layers where the wipe script will be working."
msgstr "Katmanlar arasına nozül sürme G-Code'u eklenip eklenmeyeceği (katman başına maksimum 1). Bu ayarın etkinleştirilmesi katman değişiminde geri çekme davranışını"
" etkileyebilir. Sürme komutunun çalıştığı katmanlarda geri çekmeyi kontrol etmek için lütfen Sürme Geri Çekme ayarlarını kullanın."
msgstr "Katmanlar arasına nozül sürme G-Code'u eklenip eklenmeyeceği (katman başına maksimum 1). Bu ayarın etkinleştirilmesi katman değişiminde geri çekme davranışını etkileyebilir. Sürme komutunun çalıştığı katmanlarda geri çekmeyi kontrol etmek için lütfen Sürme Geri Çekme ayarlarını kullanın."
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe label"
@ -6163,8 +6159,7 @@ msgstr "Sürme Hareketleri Arasındaki Malzeme Hacmi"
#: fdmprinter.def.json
msgctxt "max_extrusion_before_wipe description"
msgid "Maximum material that can be extruded before another nozzle wipe is initiated. If this value is less than the volume of material required in a layer, the setting has no effect in this layer, i.e. it is limited to one wipe per layer."
msgstr "Başka bir nozül sürme işlemi başlatılmadan önce ekstrüde edilebilecek maksimum malzeme miktarı. Bu değer, bir katmanda gereken malzeme hacminden daha düşükse"
" ayarın bu katmanda bir etkisi olmayacaktır, yani katman başına bir sürme sınırı vardır."
msgstr "Başka bir nozül sürme işlemi başlatılmadan önce ekstrüde edilebilecek maksimum malzeme miktarı. Bu değer, bir katmanda gereken malzeme hacminden daha düşükse ayarın bu katmanda bir etkisi olmayacaktır, yani katman başına bir sürme sınırı vardır."
#: fdmprinter.def.json
msgctxt "wipe_retraction_enable label"
@ -6244,8 +6239,7 @@ msgstr "Sürme Z Sıçraması"
#: fdmprinter.def.json
msgctxt "wipe_hop_enable description"
msgid "When wiping, the build plate is lowered to create clearance between the nozzle and the print. It prevents the nozzle from hitting the print during travel moves, reducing the chance to knock the print from the build plate."
msgstr "Sürme sırasında yapı plakası nozül ve baskı arasında açıklık oluşturmak üzere alçaltılır. Bu işlem, hareket sırasında nozülün baskıya çarpmasını önler"
" ve baskının devrilerek yapı plakasından düşme olasılığını azaltır."
msgstr "Sürme sırasında yapı plakası nozül ve baskı arasında açıklık oluşturmak üzere alçaltılır. Bu işlem, hareket sırasında nozülün baskıya çarpmasını önler ve baskının devrilerek yapı plakasından düşme olasılığını azaltır."
#: fdmprinter.def.json
msgctxt "wipe_hop_amount label"
@ -6397,6 +6391,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "Modeli dosyadan indirirken modele uygulanacak olan dönüşüm matrisi."
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "Malzemedeki GUID Otomatik olarak ayarlanır. "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "Filaman Bırakma Mesafesi"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "Bir ekstrüder artık kullanılmadığında filamanın bırakılacağı nozül ucuna olan mesafe."
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "Filament Temizliği Bitiş Hızı"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "Filament Temizliği Bitiş Uzunluğu"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station iç değeri"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "Nozül yazdırılamayan alana doğru hareket ettiğinde filamanı geri çeker. "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "Destek yapısının X/Y yönlerindeki çıkıntıya mesafesi. "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "deneysel!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "Makinenin Ana Poligonu"

File diff suppressed because it is too large Load Diff

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
"Last-Translator: Bothof <info@bothof.nl>\n"
"Language-Team: PCDotFan <pc@edu.ax>, Bothof <info@bothof.nl>\n"

View File

@ -4,9 +4,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-09-23 14:18+0200\n"
"Last-Translator: Lionbridge <info@lionbridge.com>\n"
"Language-Team: Chinese <info@lionbridge.com>, PCDotFan <pc@edu.ax>, Chinese <info@bothof.nl>\n"
@ -82,8 +82,8 @@ msgstr "材料 GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "材料 GUID此项为自动设置。 "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -295,16 +295,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "与喷嘴尖端的距离,喷嘴产生的热量在这段距离内传递到耗材中。"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "耗材停放距离"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "与喷嘴尖端的距离,当不再使用挤出机时会将耗材停放在此区域。"
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1260,6 +1250,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "应用到第一层所有多边形的偏移量。 负数值可以补偿第一层的压扁量(被称为“象脚”)。"
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2191,8 +2191,8 @@ msgstr "冲洗清除速度"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2201,28 +2201,28 @@ msgstr "冲洗清除长度"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "线末清除速度"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "线末清除长度"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2231,8 +2231,8 @@ msgstr "最长停放持续时间"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2241,8 +2241,8 @@ msgstr "空载移动系数"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "Material Station 内部值"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3021,8 +3021,8 @@ msgstr "启用回抽"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "当喷嘴移动到非打印区域上方时回抽耗材。 "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3716,8 +3716,8 @@ msgstr "最小支撑 X/Y 距离"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "支撑结构在 X/Y 方向距悬垂的距离。 "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4815,8 +4815,8 @@ msgstr "网格修复"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "category_fixes"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4935,8 @@ msgstr "特殊模式"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "category_blackmagic"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5110,8 +5110,8 @@ msgstr "实验性"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "实验性!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6392,6 +6392,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。"
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "材料 GUID此项为自动设置。 "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "耗材停放距离"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "与喷嘴尖端的距离,当不再使用挤出机时会将耗材停放在此区域。"
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "线末清除速度"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "线末清除长度"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "Material Station 内部值"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "当喷嘴移动到非打印区域上方时回抽耗材。 "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "支撑结构在 X/Y 方向距悬垂的距离。 "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "category_fixes"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "category_blackmagic"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "实验性!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "机器头多边形"

File diff suppressed because it is too large Load Diff

View File

@ -5,9 +5,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2019-03-03 14:09+0800\n"
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"

View File

@ -5,9 +5,9 @@
#
msgid ""
msgstr ""
"Project-Id-Version: Cura 4.5\n"
"Project-Id-Version: Cura 4.6\n"
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
"POT-Creation-Date: 2020-02-07 14:19+0000\n"
"POT-Creation-Date: 2020-04-06 16:33+0000\n"
"PO-Revision-Date: 2020-02-19 22:42+0800\n"
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"
@ -82,8 +82,8 @@ msgstr "耗材 GUID"
#: fdmprinter.def.json
msgctxt "material_guid description"
msgid "GUID of the material. This is set automatically. "
msgstr "耗材 GUID此項為自動設定。 "
msgid "GUID of the material. This is set automatically."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_diameter label"
@ -295,16 +295,6 @@ msgctxt "machine_heat_zone_length description"
msgid "The distance from the tip of the nozzle in which heat from the nozzle is transferred to the filament."
msgstr "與噴頭尖端的距離,噴頭產生的熱量在這段距離內傳遞到耗材中。"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance label"
msgid "Filament Park Distance"
msgstr "耗材停放距離"
#: fdmprinter.def.json
msgctxt "machine_filament_park_distance description"
msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
msgstr "與噴頭尖端的距離,當不再使用擠出機時會將耗材停放在此區域。"
#: fdmprinter.def.json
msgctxt "machine_nozzle_temp_enabled label"
msgid "Enable Nozzle Temperature Control"
@ -1260,6 +1250,16 @@ msgctxt "xy_offset_layer_0 description"
msgid "Amount of offset applied to all polygons in the first layer. A negative value can compensate for squishing of the first layer known as \"elephant's foot\"."
msgstr "套用到第一層所有多邊形的偏移量。負數值可以補償第一層的壓扁量(被稱為“象脚”)。"
#: fdmprinter.def.json
msgctxt "hole_xy_offset label"
msgid "Hole Horizontal Expansion"
msgstr ""
#: fdmprinter.def.json
msgctxt "hole_xy_offset description"
msgid "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."
msgstr ""
#: fdmprinter.def.json
msgctxt "z_seam_type label"
msgid "Z Seam Alignment"
@ -2191,8 +2191,8 @@ msgstr "沖洗速度"
#: fdmprinter.def.json
msgctxt "material_flush_purge_speed description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "How fast to prime the material after switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flush_purge_length label"
@ -2201,28 +2201,28 @@ msgstr "沖洗長度"
#: fdmprinter.def.json
msgctxt "material_flush_purge_length description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when switching to a different material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed label"
msgid "End Of Filament Purge Speed"
msgstr "線材末端沖洗速度"
msgid "End of Filament Purge Speed"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_speed description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "How fast to prime the material after replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length label"
msgid "End Of Filament Purge Length"
msgstr "線材末端沖洗長度"
msgid "End of Filament Purge Length"
msgstr ""
#: fdmprinter.def.json
msgctxt "material_end_of_filament_purge_length description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "How much material to use to purge the previous material out of the nozzle (in length of filament) when replacing an empty spool with a fresh spool of the same material."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration label"
@ -2231,8 +2231,8 @@ msgstr "最長停放時間"
#: fdmprinter.def.json
msgctxt "material_maximum_park_duration description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "How long the material can be kept out of dry storage safely."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor label"
@ -2241,8 +2241,8 @@ msgstr "空載移動係數"
#: fdmprinter.def.json
msgctxt "material_no_load_move_factor description"
msgid "Material Station internal value"
msgstr "耗材站內部值"
msgid "A factor indicating how much the filament gets compressed between the feeder and the nozzle chamber, used to determine how far to move the material for a filament switch."
msgstr ""
#: fdmprinter.def.json
msgctxt "material_flow label"
@ -3021,8 +3021,8 @@ msgstr "啟用回抽"
#: fdmprinter.def.json
msgctxt "retraction_enable description"
msgid "Retract the filament when the nozzle is moving over a non-printed area. "
msgstr "當噴頭移動到非列印區域上方時回抽耗材。 "
msgid "Retract the filament when the nozzle is moving over a non-printed area."
msgstr ""
#: fdmprinter.def.json
msgctxt "retract_at_layer_change label"
@ -3716,8 +3716,8 @@ msgstr "最小支撐 X/Y 間距"
#: fdmprinter.def.json
msgctxt "support_xy_distance_overhang description"
msgid "Distance of the support structure from the overhang in the X/Y directions. "
msgstr "支撐結構在 X/Y 方向與突出部分的間距。 "
msgid "Distance of the support structure from the overhang in the X/Y directions."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_bottom_stair_step_height label"
@ -4815,8 +4815,8 @@ msgstr "網格修復"
#: fdmprinter.def.json
msgctxt "meshfix description"
msgid "category_fixes"
msgstr "修復"
msgid "Make the meshes more suited for 3D printing."
msgstr ""
#: fdmprinter.def.json
msgctxt "meshfix_union_all label"
@ -4935,8 +4935,8 @@ msgstr "特殊模式"
#: fdmprinter.def.json
msgctxt "blackmagic description"
msgid "category_blackmagic"
msgstr "黑魔法"
msgid "Non-traditional ways to print your models."
msgstr ""
#: fdmprinter.def.json
msgctxt "print_sequence label"
@ -5110,8 +5110,8 @@ msgstr "實驗性"
#: fdmprinter.def.json
msgctxt "experimental description"
msgid "experimental!"
msgstr "實驗性!"
msgid "Features that haven't completely been fleshed out yet."
msgstr ""
#: fdmprinter.def.json
msgctxt "support_tree_enable label"
@ -6392,6 +6392,70 @@ msgctxt "mesh_rotation_matrix description"
msgid "Transformation matrix to be applied to the model when loading it from file."
msgstr "在將模型從檔案中載入時套用在模型上的轉換矩陣。"
#~ msgctxt "material_guid description"
#~ msgid "GUID of the material. This is set automatically. "
#~ msgstr "耗材 GUID此項為自動設定。 "
#~ msgctxt "machine_filament_park_distance label"
#~ msgid "Filament Park Distance"
#~ msgstr "耗材停放距離"
#~ msgctxt "machine_filament_park_distance description"
#~ msgid "The distance from the tip of the nozzle where to park the filament when an extruder is no longer used."
#~ msgstr "與噴頭尖端的距離,當不再使用擠出機時會將耗材停放在此區域。"
#~ msgctxt "material_flush_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "material_flush_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "material_end_of_filament_purge_speed label"
#~ msgid "End Of Filament Purge Speed"
#~ msgstr "線材末端沖洗速度"
#~ msgctxt "material_end_of_filament_purge_speed description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "material_end_of_filament_purge_length label"
#~ msgid "End Of Filament Purge Length"
#~ msgstr "線材末端沖洗長度"
#~ msgctxt "material_end_of_filament_purge_length description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "material_maximum_park_duration description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "material_no_load_move_factor description"
#~ msgid "Material Station internal value"
#~ msgstr "耗材站內部值"
#~ msgctxt "retraction_enable description"
#~ msgid "Retract the filament when the nozzle is moving over a non-printed area. "
#~ msgstr "當噴頭移動到非列印區域上方時回抽耗材。 "
#~ msgctxt "support_xy_distance_overhang description"
#~ msgid "Distance of the support structure from the overhang in the X/Y directions. "
#~ msgstr "支撐結構在 X/Y 方向與突出部分的間距。 "
#~ msgctxt "meshfix description"
#~ msgid "category_fixes"
#~ msgstr "修復"
#~ msgctxt "blackmagic description"
#~ msgid "category_blackmagic"
#~ msgstr "黑魔法"
#~ msgctxt "experimental description"
#~ msgid "experimental!"
#~ msgstr "實驗性!"
#~ msgctxt "machine_head_polygon label"
#~ msgid "Machine Head Polygon"
#~ msgstr "機器頭多邊形"

View File

@ -1,3 +1,63 @@
[4.6.0]
THANK YOU to all Ultimaker Cura users helping in the fight against COVID-19 with 3D printing, volunteering, or just by staying home. Want to get involved? Find out more at https://ultimaker.com/in/cura/covid-19
* New Intent profiles.
In version 4.4 we introduced Intent profiles for the Ultimaker S3 and Ultimaker S5 which allow you to start prints at the click of a button without a lot of configuration steps. Due to popular demand, version 4.6 expands the range of Engineering Intent profiles to include more of the Ultimaker material portfolio: PC, Nylon, CPE, and CPE+. These work with 0.4 print cores.
* Show active post processing scripts.
fieldOfview has contributed an ease of use improvement to the post processing plugin. The number of enabled post processing scripts will now display as a badge notification over the post processing scripts icon. A tooltip gives extra information about which scripts are enabled for quick and easy inspection, so there's no need to open the post processing dialog.
* Hole Horizontal Expansion.
smartavionics has contributed a new setting that applies an offset to all holes on each layer, allowing you to manually enlarge or contract holes to compensate for horizontal expansion.
* Per-model settings.
The "Infill only" checkbox has been changed to a dropdown selection: “Infill mesh only” or “Cutting mesh”.
* Transparent support rendering.
In preview mode with Line type selected, support material will render with transparency so you can easily see whats being supported.
* No stair stepping for PVA profiles.
Stair stepping is intended to reduce the adhesion between support and the model, where the support rests on the model, and to reduce scarring. As PVA doesn't suffer from scarring or adhesion issues due to its water-solubility, this value has been set to 0 for PVA profiles. A known issue with the stair stepping algorithm causes support to disappear sometimes, so doing this reduces the chance of that happening when PVA is used.
* Separators in extensions menu.
fieldOfview has contributed a method for plugin authors to add separators between menu items in the “Extensions” submenu. The method is backwards-compatible so changes dont have to be made in Cura and Uranium together.
* Ultimaker account sign in prompt.
Added clearer text to the sign in popup and first use flow to highlight the benefits of using an Ultimaker account with Cura.
* Updated installer.
Small fixes have been made to the installer. To keep up with the times, weve also updated the images to display an Ultimaker S3 instead of an Ultimaker 3.
* Infill mesh ordering.
When you have three objects overlapping each other and you set two of them to "Modify settings for infill of other models", then the setting "Infill Mesh Order" determines which of the two infill meshes gets priority where they overlap. This was broken for cutting meshes, so BagelOrb contributed a fix.
* Backups storage size.
Weve put a hard limit on backup file size in this release to prevent other files being stored there.
* 3MF gcode comments removed.
Fixed a bug where comments were removed from Start/End G-codes when opening from a 3MF.
* Print monitor preheat fields.
Values in the print monitor preheat fields were broken in previous versions, they have now been fixed by fieldOfview.
* Stepper motor disarming during pause at height.
Some printers (like the Ultimaker S5) have a very heavy build platform. When the pause at height script was enabled, it would disarm the Z stepper motor at pause height. The weight of the build platform would cause the Z axis to lower by gravity and lose the Z position. ilyko96 has contributed a fix to the pause at height script so that the Z stepper motor now remains armed during a pause, locking the build plate in position.
* Flying Bear printers.
oducceu has contributed a machine definition for the Flying Bear Ghost 4S Printer.
* Magicfirm printers.
jeffkyjin has contributed machine definitions for MBot Grid II+, MBot Grid II+ (dual), MBot Grid IV+ and MBot Grid IV+ (dual).
* HMS434.
Updates to the HMS434 machine definition have been contributed by maukcc.
* FabX Pro.
hussainsail2002 has contributed machine definitions for FabX Pro and print profiles for REDD materials.
* Disclaimer: Third-party machine definitions are accepted as contributed, and are not tested or maintained in any way by the Cura development team.
[4.5.0]
* Ultimaker Marketplace sync.
Plugins and print profiles downloaded from the Ultimaker Marketplace will now become associated with your Ultimaker account when logged in. If changes are detected in your installation after logging in, an option to sync a list of available packages will become available. You can also add packages to your installation using the web-based Ultimaker Marketplace.
@ -108,52 +168,52 @@ A new speed optimization for reading setting values from profiles.
- Fixed a problem where custom profiles were disappearing when loading a project without a nozzle profile.
[4.4.0]
*Intent profiles.
Whats the intent of your print? A rapid prototype? A visual prototype? An end-use part with specific holes sizes? Intent profiles accelerate the CAD-CAM workflow by preconfiguring all the right settings in Ultimaker Cura for each of these use cases. Simply select a profile that matches the intent of your design, slice, and youre ready to print immediately, without the need to adjust the typical settings. For now, there are three Intent profiles:
*Draft
Intended for initial prototypes and concept validation, and will print your design in the shortest time possible.
*Intent profiles.
Whats the intent of your print? A rapid prototype? A visual prototype? An end-use part with specific holes sizes? Intent profiles accelerate the CAD-CAM workflow by preconfiguring all the right settings in Ultimaker Cura for each of these use cases. Simply select a profile that matches the intent of your design, slice, and youre ready to print immediately, without the need to adjust the typical settings. For now, there are three Intent profiles:
*Draft
Intended for initial prototypes and concept validation, and will print your design in the shortest time possible.
*Engineering
Intended for high-dimensional accuracy, to print functional prototypes and mechanical end-use parts.
Intended for high-dimensional accuracy, to print functional prototypes and mechanical end-use parts.
*Visual
Intended for visual prototypes and prints that need excellent aesthetic quality.
For now, these profiles work for the Ultimaker S5 and Ultimaker S3 with Ultimaker PLA, Tough PLA, and ABS materials, and include PVA and Breakaway combinations. More profiles will follow over time.
Intended for visual prototypes and prints that need excellent aesthetic quality.
For now, these profiles work for the Ultimaker S5 and Ultimaker S3 with Ultimaker PLA, Tough PLA, and ABS materials, and include PVA and Breakaway combinations. More profiles will follow over time.
*Per-model settings.
Per-model settings are a set of very powerful features for users who need to tweak specific settings in specific parts of the model. In previous releases these were buried in the interface somewhat, so this release has made them more discoverable with clear icons in the toolbar, so everyone can discover them. The per-model settings can now be accessed both when working from the recommended and the custom print settings mode.
*Per-model settings.
Per-model settings are a set of very powerful features for users who need to tweak specific settings in specific parts of the model. In previous releases these were buried in the interface somewhat, so this release has made them more discoverable with clear icons in the toolbar, so everyone can discover them. The per-model settings can now be accessed both when working from the recommended and the custom print settings mode.
*Specify network printer.
When connected to an Ultimaker Connect group of multiple printers, Ultimaker Cura once again shows a pop-up to select a designated printer for your printjob. This functionality had been disabled in the last version to ensure reliability when printing remotely.
*Specify network printer.
When connected to an Ultimaker Connect group of multiple printers, Ultimaker Cura once again shows a pop-up to select a designated printer for your printjob. This functionality had been disabled in the last version to ensure reliability when printing remotely.
*Performance improvements.
Various tweaks under the hood for a snappier, more responsive interface. This improvement is most noticeable when switching extruders, print profiles, hovering over tooltips and when scrolling through the print settings list.
*Performance improvements.
Various tweaks under the hood for a snappier, more responsive interface. This improvement is most noticeable when switching extruders, print profiles, hovering over tooltips and when scrolling through the print settings list.
*SDK version increment.
The changes made in version 4.4 (mainly for intents but also other things) are so thorough that we needed to do a major increment of the SDK version. Contributors please update your packages!
*SDK version increment.
The changes made in version 4.4 (mainly for intents but also other things) are so thorough that we needed to do a major increment of the SDK version. Contributors please update your packages!
*Pause at height message.
A setting has been added to the pause at height script that displays a custom message on screen. This can be used to give instructions to operators to perform an action during the pause, e.g. Place 626 bearings in slots now.
*Pause at height message.
A setting has been added to the pause at height script that displays a custom message on screen. This can be used to give instructions to operators to perform an action during the pause, e.g. Place 626 bearings in slots now.
*Restore window preference.
https://github.com/fieldOfView has contributed a new preference around restoring the previous window position/size to the last used position/size on start up. This would be a workaround for those setups where starting Ultimaker Cura on a secondary screen will prevent it from working.
*Restore window preference.
https://github.com/fieldOfView has contributed a new preference around restoring the previous window position/size to the last used position/size on start up. This would be a workaround for those setups where starting Ultimaker Cura on a secondary screen will prevent it from working.
*Group Linux instances.
https://github.com/MatthewCroughan has contributed a fix so that multiple instances of Ultimaker Cura get grouped in one application group in Gnome (the Linux front-end). It adds a bit of metadata to the .desktop file so that the windows can be grouped.
*Group Linux instances.
https://github.com/MatthewCroughan has contributed a fix so that multiple instances of Ultimaker Cura get grouped in one application group in Gnome (the Linux front-end). It adds a bit of metadata to the .desktop file so that the windows can be grouped.
* Known bugs
Cura not starting on Windows 10. Some users started reporting that Ultimaker Cura 4.3 and higher did not start properly, fur unknown reasons. We have implemented some code to get a better understanding of the issue, but we have not been able to fix it just yet.
As a quick fix: Go to the install path, by default “C:\Program Files\Ultimaker Cura 4.4”. Right click Cura.exe and select properties. Click the compatibility tab and select “Run This Program in Compatibility Mode For: Windows 8”. If this does not fix your issue, please contact your service provider.
* Known bugs
Cura not starting on Windows 10. Some users started reporting that Ultimaker Cura 4.3 and higher did not start properly, fur unknown reasons. We have implemented some code to get a better understanding of the issue, but we have not been able to fix it just yet.
As a quick fix: Go to the install path, by default “C:\Program Files\Ultimaker Cura 4.4”. Right click Cura.exe and select properties. Click the compatibility tab and select “Run This Program in Compatibility Mode For: Windows 8”. If this does not fix your issue, please contact your service provider.
* Minor improvements
- Reweighting stages.
* Minor improvements
- Reweighting stages.
- Small plug-in system improvements
- Add RetractContinue post-processing script by https://github.com/thopiekar
- Add DisplayRemainingTimeOnLCD post-processing script by https://github.com/iLyngklip
- Thickness of the very bottom layer
- Thickness of the very bottom layer
* Updated third party printers
- Strateo3D. https://github.com/KOUBeMT has updated the machine profile for Strateo3D.
- Key3D Tyro. https://github.com/DragonJe has created a definition, extruder, and profiles for the Key3D Tyro.
- Prusa i3 MK3/MK3S printer. https://github.com/samirabaza has contributed the latest definition for Prusa i3 MK3/MK3s made by Prusa Research with a minor modification to fit in Prusa folder under "add printer".
* Updated third party printers
- Strateo3D. https://github.com/KOUBeMT has updated the machine profile for Strateo3D.
- Key3D Tyro. https://github.com/DragonJe has created a definition, extruder, and profiles for the Key3D Tyro.
- Prusa i3 MK3/MK3S printer. https://github.com/samirabaza has contributed the latest definition for Prusa i3 MK3/MK3s made by Prusa Research with a minor modification to fit in Prusa folder under "add printer".
- Hellbot printer. https://github.com/F-Fischer has contributed a machine profile for the Hellbot printer.
- HMS434 update by https://github.com/maukcc
- Add CR-10 MAX and Ender-5 plus by https://github.com/trouch
@ -165,14 +225,14 @@ As a quick fix: Go to the install path, by default “C:\Program Files\Ultimaker
- Fix Normals after Mirror Operation
- Crash when loading PJ with creality
- Per-object setting stacks checked for errors even if they are empty by https://github.com/smartavionics
- getAngleLeft gives wrong results when lines are colinear
- getAngleLeft gives wrong results when lines are colinear
- Lots of qml warnings regarding MaterialsTypeSelection.qml
- PR: Avoid unwanted travel with ironing by https://github.com/smartavionics
- PR: Remove all travel moves < 5um by https://github.com/smartavionics
- AMF files are mirrored
- Changes to Material diameter do not get applied
- Long string of text on profile names goes through borders
- CURA 4.3 - Crash when connecting networked Ultimaker S5
- CURA 4.3 - Crash when connecting networked Ultimaker S5
- Layer slider falls behind action panel, on low resolution displays only by https://github.com/AMI3
- Deleting profiles will not update the size of the drop-down menu
- Create / Update / Discard options are enabled when they should be greyed out
@ -187,144 +247,144 @@ As a quick fix: Go to the install path, by default “C:\Program Files\Ultimaker
- Invalid firmware for UM2 update continues forever
- Infill inset too much with connected lines and thicker infill by https://github.com/smartavionics
- Reworked line polygon crossings by https://github.com/smartavionics
[4.3.0]
*Ultimaker S3.
This release includes a new profile for our latest S-line of 3D printers: the Ultimaker S3. Eagle-eyed beta testers may have noticed this extra printer profile in the beta release, too. Well done to those who spotted it. Learn more about the Ultimaker S3 by reading the blog on Ultimaker.com.
*Ultimaker S3.
This release includes a new profile for our latest S-line of 3D printers: the Ultimaker S3. Eagle-eyed beta testers may have noticed this extra printer profile in the beta release, too. Well done to those who spotted it. Learn more about the Ultimaker S3 by reading the blog on Ultimaker.com.
*Even more 3D file formats.
This version is compatible with even more 3D file formats out-of-the-box, so you can integrate CAD software, 3D scanning software, and 3D modeling software into your workflow with ease. Natively open Collada, GLTF, OpenCTM, and PLY formats, to name a few. And dont forget, downloading plugins from the Ultimaker Marketplace brings in support for many more.
*Even more 3D file formats.
This version is compatible with even more 3D file formats out-of-the-box, so you can integrate CAD software, 3D scanning software, and 3D modeling software into your workflow with ease. Natively open Collada, GLTF, OpenCTM, and PLY formats, to name a few. And dont forget, downloading plugins from the Ultimaker Marketplace brings in support for many more.
*Align faces to the build plate.
Orienting your models with the rotation tool or the lay flat tool can be a hassle with complex geometries. This new time-saving feature lets you select a face of your model to rest on the build plate, so you can get the orientation you need quickly and easily. Please note this is disabled in compatibility mode (and if your machine is running OpenGL 3.2 or lower).
*Align faces to the build plate.
Orienting your models with the rotation tool or the lay flat tool can be a hassle with complex geometries. This new time-saving feature lets you select a face of your model to rest on the build plate, so you can get the orientation you need quickly and easily. Please note this is disabled in compatibility mode (and if your machine is running OpenGL 3.2 or lower).
*Support infill/interface line directions.
Improve reliability with more precise control over certain aspects of your print. Choose the angle that support-infill and interfaces print at, thanks to a contribution from vgribinchuck. Input a set of angles you want lines generated at, and these will be placed sequentially throughout your 3D print.
*Support infill/interface line directions.
Improve reliability with more precise control over certain aspects of your print. Choose the angle that support-infill and interfaces print at, thanks to a contribution from vgribinchuck. Input a set of angles you want lines generated at, and these will be placed sequentially throughout your 3D print.
*Randomize infill start.
Randomize which infill line is printed first. This distributes strength across the model, preventing one segment becoming the weakest link, at the cost of an additional travel move.
*Randomize infill start.
Randomize which infill line is printed first. This distributes strength across the model, preventing one segment becoming the weakest link, at the cost of an additional travel move.
*Print small features slower.
Smartavionics has contributed a setting which recognizes small perimeters and reduces print speed in order to boost the reliability and accuracy of small printed features. This is especially useful for small perimeters such as printed holes, as they tend to get ripped away from the build plate easily due to their low contact area.
*Print small features slower.
Smartavionics has contributed a setting which recognizes small perimeters and reduces print speed in order to boost the reliability and accuracy of small printed features. This is especially useful for small perimeters such as printed holes, as they tend to get ripped away from the build plate easily due to their low contact area.
*Easy selector for Z seam positions.
Z seams are now easier to position on your model, thanks to a contribution by trouch. A drop down selection box has been added to custom mode, giving you a list of presets to place the z seam on your model.
*Easy selector for Z seam positions.
Z seams are now easier to position on your model, thanks to a contribution by trouch. A drop down selection box has been added to custom mode, giving you a list of presets to place the z seam on your model.
*Colorblind assist theme.
Nubnubbud has added a new theme for colorblind users which makes more distinction between colors, such as the yellow/green line colors in the layer view.
*Colorblind assist theme.
Nubnubbud has added a new theme for colorblind users which makes more distinction between colors, such as the yellow/green line colors in the layer view.
*DisplayFilenameAndLayerOnLCD script.
Some improvements for this post processing script from the community. N95JPL has contributed updates to offer a wider range of optional information. Adecastilho has contributed updates so that the layer count is displayed before the filename to prevent the layer number getting truncated in the event of long filename, as well as an option to start layer count at either 0 or 1. The ':' in the display string has also been removed as it is a GCODE command that splits the line into two different commands.
*DisplayFilenameAndLayerOnLCD script.
Some improvements for this post processing script from the community. N95JPL has contributed updates to offer a wider range of optional information. Adecastilho has contributed updates so that the layer count is displayed before the filename to prevent the layer number getting truncated in the event of long filename, as well as an option to start layer count at either 0 or 1. The ':' in the display string has also been removed as it is a GCODE command that splits the line into two different commands.
*Peripheral information for output devices.
Architectural changes in Ultimaker Cura to allow display information about peripherals in the printer output device, so that I can use it to later on show that information in the Monitor stage plugin.
*Peripheral information for output devices.
Architectural changes in Ultimaker Cura to allow display information about peripherals in the printer output device, so that I can use it to later on show that information in the Monitor stage plugin.
*Quality changes on import.
Users can now import profiles that have been created on a different machine other than the active one.
*Quality changes on import.
Users can now import profiles that have been created on a different machine other than the active one.
*Remove prime after coasting.
Reduce the visibility of the z seam when printing with coasting by preventing nozzle priming.
*Remove prime after coasting.
Reduce the visibility of the z seam when printing with coasting by preventing nozzle priming.
*Map Material Station slot data.
*Map Material Station slot data.
The available configurations drop down will display information about a Ultimaker S5 Material Station if connected. Read more about the Ultimaker S5 Material Station on ultimaker.com
*Manage Printer link.
*Manage Printer link.
Added a “Manage Printer” link in the monitor tab which takes you to Ultimaker Connect.
*Improvement in code quality.
Improved code quality resulting in improved stability.
* Bug fixes
- Uninstall in silent mode. Fixed an issue where a dialog displays when uninstalling in silent mode.
- Build Interface if Support is Present. In some cases, support could be pushed away by large support XY distance, but interfaces could be left on overhangs which leads to situation when interface is generated without support. This has been fixed.
- Install in silent mode. The bundled Arduino driver is signed by a certificate that's not trusted on Windows by default, so there was no way to suppress the prompt or to have the installer skip driver installation. This has been fixed.
- 3MF project printer connection not included. When loading a project file that was saved while a network connection was active, the network connection is not re-established. This has been fixed.
- Thin Walls broken. Fixed an error with thin walls being broken.
- Tray icon remaining. Fixed a bug where the tray icon would remain after closing the application.
- Marketplace text. Fixed an issue where Marketplace text is blurry on some screens
- Unsupported profile imports. Fixed an issue where exported profiles could not be reimported.
- Loading file message. Added visual feedback when loading files such as STLs
- Loading GCODE on disabled extruders. Fixed an issue where GCODE imported using multi-extrusion fails to load if an extruder is disabled.
- Support brim with concentric support pattern. Fixed an issue where support would be in mid-air.
- Reduced cloud logging. Logging has been reduced for cloud connections on unstable connections.
- Application menu extruder menu. Fixed an issue where changing the extruder via the application menu didnt work.
- Tool handles move when rotating. Fixed an issue where rotate tool handles would change location when rotating.
- F5 reload. Fixed an issue where F5 doesn't reload GCODE.
- Application not starting before the splash screen. Fixed an issue where the application wouldnt start before the splash window.
- Qt 5.13 crashes. Fixed an issue where the ShaderEffect crashes using Qt 5.13
- Cant select other materials in print setting tab. Fixed an issue where other materials couldnt be selected using the print settings tab.
- Drop down to buildplate after resize. Models dont drop down to the build plate if they are scaled down from too large to fit.
- Unsupported quality profiles. Fixed unsupported quality profiles appearing for 0.25 + 0.8 print core combinations.
- 'Arrange all models' for groups. Fixed an issue where arrange all models hangs for grouped models.
- Update Checker not working. Fixed this so that updates are visible if using a legacy version.
- Missing support brim. Fixed an issue where support brim was missing if platform adhesion set to None.
- Multiply non-normal mesh doesn't work. Fixed instances where processes stopped and messages would hang.
- Settings not updating in GUI with inheritance. Fixed settings not updating GUI with inheritance.
- Prevent 'generic'-part in name of specific materials. Introduced checks for generic material types to help material categorization.
- Hide temperature settings. The "Default Print Temperature" setting is currently editable, but editing this setting can cause problems with temperatures later especially when you have it in your custom profile. We decided to hide this setting so users can no longer edit it in the later releases to avoid confusion. The "Default Build Plate Temperature" has also been hidden because it causes a similar issue.
- Add machine_heated_build_volume. Introduced a new machine_heated_build_volume machine-setting, which is set it to false by default, and only set it to true for the Ultimaker S5. Users can alter their own definition if they do have a heated build volume.
- Z-hops on first layer. First move other start GCODE not z-hopped. Contributed by sailorgreg.
- Preserve extruder-only moves in post stretch script. Contributed by sgtnoodle.
- Uninstall in silent mode. Fixed an issue where a dialog displays when uninstalling in silent mode.
- Build Interface if Support is Present. In some cases, support could be pushed away by large support XY distance, but interfaces could be left on overhangs which leads to situation when interface is generated without support. This has been fixed.
- Install in silent mode. The bundled Arduino driver is signed by a certificate that's not trusted on Windows by default, so there was no way to suppress the prompt or to have the installer skip driver installation. This has been fixed.
- 3MF project printer connection not included. When loading a project file that was saved while a network connection was active, the network connection is not re-established. This has been fixed.
- Thin Walls broken. Fixed an error with thin walls being broken.
- Tray icon remaining. Fixed a bug where the tray icon would remain after closing the application.
- Marketplace text. Fixed an issue where Marketplace text is blurry on some screens
- Unsupported profile imports. Fixed an issue where exported profiles could not be reimported.
- Loading file message. Added visual feedback when loading files such as STLs
- Loading GCODE on disabled extruders. Fixed an issue where GCODE imported using multi-extrusion fails to load if an extruder is disabled.
- Support brim with concentric support pattern. Fixed an issue where support would be in mid-air.
- Reduced cloud logging. Logging has been reduced for cloud connections on unstable connections.
- Application menu extruder menu. Fixed an issue where changing the extruder via the application menu didnt work.
- Tool handles move when rotating. Fixed an issue where rotate tool handles would change location when rotating.
- F5 reload. Fixed an issue where F5 doesn't reload GCODE.
- Application not starting before the splash screen. Fixed an issue where the application wouldnt start before the splash window.
- Qt 5.13 crashes. Fixed an issue where the ShaderEffect crashes using Qt 5.13
- Cant select other materials in print setting tab. Fixed an issue where other materials couldnt be selected using the print settings tab.
- Drop down to buildplate after resize. Models dont drop down to the build plate if they are scaled down from too large to fit.
- Unsupported quality profiles. Fixed unsupported quality profiles appearing for 0.25 + 0.8 print core combinations.
- 'Arrange all models' for groups. Fixed an issue where arrange all models hangs for grouped models.
- Update Checker not working. Fixed this so that updates are visible if using a legacy version.
- Missing support brim. Fixed an issue where support brim was missing if platform adhesion set to None.
- Multiply non-normal mesh doesn't work. Fixed instances where processes stopped and messages would hang.
- Settings not updating in GUI with inheritance. Fixed settings not updating GUI with inheritance.
- Prevent 'generic'-part in name of specific materials. Introduced checks for generic material types to help material categorization.
- Hide temperature settings. The "Default Print Temperature" setting is currently editable, but editing this setting can cause problems with temperatures later especially when you have it in your custom profile. We decided to hide this setting so users can no longer edit it in the later releases to avoid confusion. The "Default Build Plate Temperature" has also been hidden because it causes a similar issue.
- Add machine_heated_build_volume. Introduced a new machine_heated_build_volume machine-setting, which is set it to false by default, and only set it to true for the Ultimaker S5. Users can alter their own definition if they do have a heated build volume.
- Z-hops on first layer. First move other start GCODE not z-hopped. Contributed by sailorgreg.
- Preserve extruder-only moves in post stretch script. Contributed by sgtnoodle.
- “Print via Cloud” is no longer possible without an Internet connection
- Monitor tab no longer sometimes shows incorrect printer name or type
- Long print job names are no longer overlapping other text in the monitor tab
- “Connected to Cloud” pop-up now only displays when the currently selected printer is connected to Ultimaker cloud.
- Monitor tab is no longer greyed out when idle.
- Monitor tab no longer sometimes shows incorrect printer name or type
- Long print job names are no longer overlapping other text in the monitor tab
- “Connected to Cloud” pop-up now only displays when the currently selected printer is connected to Ultimaker cloud.
- Monitor tab is no longer greyed out when idle.
*Third-party printer definitions
New machine definitions added for:
- IMADE3D Jellybox. Contributed by filipgoc for IMADE3D Jellybox printers, which adds JellyBOX 2 printer and revises settings of JellyBOX Original.
- Vertex Nano. Contributed by velbn
- Felix Pro 2. Contributed by pnks
- JGAurora A35. Contributed by pinchies.
- eMotionTech Strateo3D. Contributed by KOUBeMT.
- NWA3D A31. Contributed by DragonJe.
*Third-party printer definitions
New machine definitions added for:
- IMADE3D Jellybox. Contributed by filipgoc for IMADE3D Jellybox printers, which adds JellyBOX 2 printer and revises settings of JellyBOX Original.
- Vertex Nano. Contributed by velbn
- Felix Pro 2. Contributed by pnks
- JGAurora A35. Contributed by pinchies.
- eMotionTech Strateo3D. Contributed by KOUBeMT.
- NWA3D A31. Contributed by DragonJe.
[4.2.0]
*Orthographic view.
*Orthographic view.
When preparing prints, professional users wanted more control over the 3D view type, so this version introduces an orthographic view, which is the same view type used by most professional CAD software packages. Find the orthographic view in View > Camera view > Orthographic, and compare the dimensions of your model to your CAD design with ease.
*Object list.
*Object list.
Easily identify corresponding filenames and models with this new popup list. Click a model in the viewport and its filename will highlight, or click a filename in the list and the corresponding model will highlight. The open or hidden state of the list will persist between sessions. How convenient.
*Print previews.
*Print previews.
Some improvements have been made to print previews displayed in the monitor tab, Ultimaker Connect, or the Ultimaker S5 interface. In some instances, previews were clipped at the bottom or side, and sometimes models outside of the build plate area were visible. This is all fixed now.
*AMF file compatibility.
*AMF file compatibility.
Ultimaker Cura now supports AMF (Additive manufacturing file format) files out-of-the-box, thanks to an AMF file reader contributed by fieldOfView.
*Slice button delay.
*Slice button delay.
After clicking Slice, a lack of response could lead to frustrated buttonclicking. This version changes the button text to read Processing during any pre-slicing delay.
*Layer view line type.
The line type color scheme in the layer view has been tweaked with new colors for infill and support interfaces so that they can be distinguished better.
*Layer view line type.
The line type color scheme in the layer view has been tweaked with new colors for infill and support interfaces so that they can be distinguished better.
*Nozzle switch prime distance.
*Nozzle switch prime distance.
Certain materials “ooze” more than others during retraction and long moves. Vgribinchuk has contributed a new setting that lets you finetune the restart distance, so that the full extrusion width is achieved when resuming a print.
*Smart Z seam.
*Smart Z seam.
A new option to increase the aesthetic quality of your prints has been added to custom mode, under Z seam settings. Smart Z seam works by analyzing your models geometry and automatically choosing when to hide or expose the seam, so that visible seams on outer walls are kept to a minimum.
*Separate Z axis movements.
*Separate Z axis movements.
Z axis movement handling has been improved to reduce the chance of print head collisions with prints.
*Flow per feature.
*Flow per feature.
You can now adjust material flow for specific features of your print, such as walls, infill, support, prime towers, and adhesion. This allows line spacing to be controlled separately from flow settings.
*Merge infill lines.
*Merge infill lines.
We did some finetuning of the CuraEngine to improve print quality by filling thin infill areas more precisely and efficiently, and reducing movements that caused excessive gantry vibration.
*Z hop speed.
*Z hop speed.
The Z hop speed for printers with no specific speed value would default to 299792458000 (light speed!) The new Z hop speed setting ensures that all Z hops are performed at a more sensible speed, which you can control.
*Support tower diameter.
*Support tower diameter.
The Minimum diameter setting for support towers has been renamed to Maximum Tower-Supported Diameter, which is more accurate and more specific because it mentions towers.
*Square prime towers.
*Square prime towers.
Circular prime towers are now the default option. Square prime towers have been eradicated forever.
*Third-party printer order.
*Third-party printer order.
The add printer menu now includes third-party printers that are ordered by manufacturer, so that specific machines can be found easily. Printer definitions. New machine definitions added for:
- Anet A6 contributed by markbernard
- Stereotech ST320 and START contributed by frylock34
@ -332,7 +392,7 @@ The add printer menu now includes third-party printers that are ordered by
- FL Sun QQ contributed by curso007
- GeeTech A30 contributed by curso007
*Creawsome mod.
*Creawsome mod.
This version has pulled the Creawsome mod, made by trouch, which adds a lot of print profiles for Creality printers. It includes definitions for Creality CR10 Mini, CR10s, CR10s Pro, CR20, CR20 Pro, Ender 2, Ender 4 and Ender 5, and updates the definitions for CR10, CR10s4, CR10s5 and Ender3. The CRX is untouched. Pull requests are now submitted that merge the mod into mainline Cura.
* Bug fixes