mirror of
https://git.mirrors.martin98.com/https://github.com/Ultimaker/Cura
synced 2025-06-04 11:14:21 +08:00
Fix merge conflicts with master
This commit is contained in:
commit
4e5d08f320
@ -217,11 +217,6 @@ class Arrange:
|
||||
prio_slice = self._priority[min_y:max_y, min_x:max_x]
|
||||
prio_slice[new_occupied] = 999
|
||||
|
||||
# If you want to see how the rasterized arranger build plate looks like, uncomment this code
|
||||
# numpy.set_printoptions(linewidth=500, edgeitems=200)
|
||||
# print(self._occupied.shape)
|
||||
# print(self._occupied)
|
||||
|
||||
@property
|
||||
def isEmpty(self):
|
||||
return self._is_empty
|
||||
|
@ -1,4 +1,4 @@
|
||||
# Copyright (c) 2018 Ultimaker B.V.
|
||||
# Copyright (c) 2019 Ultimaker B.V.
|
||||
# Cura is released under the terms of the LGPLv3 or higher.
|
||||
|
||||
from UM.Application import Application
|
||||
@ -48,7 +48,6 @@ class ArrangeArray:
|
||||
return self._count
|
||||
|
||||
def get(self, index):
|
||||
print(self._arrange)
|
||||
return self._arrange[index]
|
||||
|
||||
def getFirstEmpty(self):
|
||||
|
@ -219,7 +219,7 @@ class MaterialManager(QObject):
|
||||
|
||||
root_material_id = material_metadata["base_file"]
|
||||
definition = material_metadata["definition"]
|
||||
approximate_diameter = material_metadata["approximate_diameter"]
|
||||
approximate_diameter = str(material_metadata["approximate_diameter"])
|
||||
|
||||
if approximate_diameter not in self._diameter_machine_nozzle_buildplate_material_map:
|
||||
self._diameter_machine_nozzle_buildplate_material_map[approximate_diameter] = {}
|
||||
@ -332,7 +332,6 @@ class MaterialManager(QObject):
|
||||
buildplate_node = nozzle_node.getChildNode(buildplate_name)
|
||||
|
||||
nodes_to_check = [buildplate_node, nozzle_node, machine_node, default_machine_node]
|
||||
|
||||
# Fallback mechanism of finding materials:
|
||||
# 1. buildplate-specific material
|
||||
# 2. nozzle-specific material
|
||||
@ -553,10 +552,24 @@ class MaterialManager(QObject):
|
||||
#
|
||||
# Methods for GUI
|
||||
#
|
||||
@pyqtSlot("QVariant", result=bool)
|
||||
def canMaterialBeRemoved(self, material_node: "MaterialNode"):
|
||||
# Check if the material is active in any extruder train. In that case, the material shouldn't be removed!
|
||||
# In the future we might enable this again, but right now, it's causing a ton of issues if we do (since it
|
||||
# corrupts the configuration)
|
||||
root_material_id = material_node.getMetaDataEntry("base_file")
|
||||
material_group = self.getMaterialGroup(root_material_id)
|
||||
if not material_group:
|
||||
return False
|
||||
|
||||
nodes_to_remove = [material_group.root_material_node] + material_group.derived_material_node_list
|
||||
ids_to_remove = [node.getMetaDataEntry("id", "") for node in nodes_to_remove]
|
||||
|
||||
for extruder_stack in self._container_registry.findContainerStacks(type="extruder_train"):
|
||||
if extruder_stack.material.getId() in ids_to_remove:
|
||||
return False
|
||||
return True
|
||||
|
||||
#
|
||||
# Sets the new name for the given material.
|
||||
#
|
||||
@pyqtSlot("QVariant", str)
|
||||
def setMaterialName(self, material_node: "MaterialNode", name: str) -> None:
|
||||
root_material_id = material_node.getMetaDataEntry("base_file")
|
||||
|
@ -209,6 +209,7 @@ class QualityManager(QObject):
|
||||
# (1) the machine-specific node
|
||||
# (2) the generic node
|
||||
machine_node = self._machine_nozzle_buildplate_material_quality_type_to_quality_dict.get(machine_definition_id)
|
||||
|
||||
# Check if this machine has specific quality profiles for its extruders, if so, when looking up extruder
|
||||
# qualities, we should not fall back to use the global qualities.
|
||||
has_extruder_specific_qualities = False
|
||||
|
@ -124,7 +124,7 @@ class AuthorizationService:
|
||||
self._storeAuthData(response)
|
||||
self.onAuthStateChanged.emit(logged_in = True)
|
||||
else:
|
||||
self.onAuthStateChanged(logged_in = False)
|
||||
self.onAuthStateChanged.emit(logged_in = False)
|
||||
|
||||
## Delete the authentication data that we have stored locally (eg; logout)
|
||||
def deleteAuthData(self) -> None:
|
||||
|
@ -47,8 +47,10 @@ class ContainerManager(QObject):
|
||||
if ContainerManager.__instance is not None:
|
||||
raise RuntimeError("Try to create singleton '%s' more than once" % self.__class__.__name__)
|
||||
ContainerManager.__instance = self
|
||||
|
||||
super().__init__(parent = application)
|
||||
try:
|
||||
super().__init__(parent = application)
|
||||
except TypeError:
|
||||
super().__init__()
|
||||
|
||||
self._application = application # type: CuraApplication
|
||||
self._plugin_registry = self._application.getPluginRegistry() # type: PluginRegistry
|
||||
|
@ -1,11 +1,11 @@
|
||||
# Copyright (c) 2018 Ultimaker B.V.
|
||||
# Copyright (c) 2019 Ultimaker B.V.
|
||||
# Cura is released under the terms of the LGPLv3 or higher.
|
||||
|
||||
import os
|
||||
import re
|
||||
import configparser
|
||||
|
||||
from typing import cast, Dict, Optional
|
||||
from typing import Any, cast, Dict, Optional
|
||||
from PyQt5.QtWidgets import QMessageBox
|
||||
|
||||
from UM.Decorators import override
|
||||
@ -327,6 +327,23 @@ class CuraContainerRegistry(ContainerRegistry):
|
||||
self._registerSingleExtrusionMachinesExtruderStacks()
|
||||
self._connectUpgradedExtruderStacksToMachines()
|
||||
|
||||
## Check if the metadata for a container is okay before adding it.
|
||||
#
|
||||
# This overrides the one from UM.Settings.ContainerRegistry because we
|
||||
# also require that the setting_version is correct.
|
||||
@override(ContainerRegistry)
|
||||
def _isMetadataValid(self, metadata: Optional[Dict[str, Any]]) -> bool:
|
||||
if metadata is None:
|
||||
return False
|
||||
if "setting_version" not in metadata:
|
||||
return False
|
||||
try:
|
||||
if int(metadata["setting_version"]) != cura.CuraApplication.CuraApplication.SettingVersion:
|
||||
return False
|
||||
except ValueError: #Not parsable as int.
|
||||
return False
|
||||
return True
|
||||
|
||||
## Update an imported profile to match the current machine configuration.
|
||||
#
|
||||
# \param profile The profile to configure.
|
||||
|
@ -125,7 +125,12 @@ class CuraStackBuilder:
|
||||
|
||||
extruder_definition_dict = global_stack.getMetaDataEntry("machine_extruder_trains")
|
||||
extruder_definition_id = extruder_definition_dict[str(extruder_position)]
|
||||
extruder_definition = registry.findDefinitionContainers(id = extruder_definition_id)[0]
|
||||
try:
|
||||
extruder_definition = registry.findDefinitionContainers(id = extruder_definition_id)[0]
|
||||
except IndexError as e:
|
||||
# It still needs to break, but we want to know what extruder ID made it break.
|
||||
Logger.log("e", "Unable to find extruder with the id %s", extruder_definition_id)
|
||||
raise e
|
||||
|
||||
# get material container for extruders
|
||||
material_container = application.empty_material_container
|
||||
|
@ -1390,8 +1390,9 @@ class MachineManager(QObject):
|
||||
need_to_show_message = False
|
||||
|
||||
for extruder_configuration in configuration.extruderConfigurations:
|
||||
extruder_has_hotend = extruder_configuration.hotendID != ""
|
||||
extruder_has_material = extruder_configuration.material.guid != ""
|
||||
# We support "" or None, since the cloud uses None instead of empty strings
|
||||
extruder_has_hotend = extruder_configuration.hotendID and extruder_configuration.hotendID != ""
|
||||
extruder_has_material = extruder_configuration.material.guid and extruder_configuration.material.guid != ""
|
||||
|
||||
# If the machine doesn't have a hotend or material, disable this extruder
|
||||
if not extruder_has_hotend or not extruder_has_material:
|
||||
|
@ -1,3 +1,88 @@
|
||||
[4.0.0]
|
||||
*Updated user interface
|
||||
Ultimaker Cura is a very powerful tool with many features to support users’ needs. In the new UI, we present these features in a better, more intuitive way based on the workflow of our users. The Marketplace and user account control have been integrated into the main interface to easily access material profiles and plugins. Three stages are shown in the header to give a clear guidance of the flow. The stage menu is populated with collapsible panels that allow users to focus on the 3D view when needed, while still showing important information at the same time, such as slicing configuration and settings. Users can now easily go to the preview stage to examine the layer view after slicing the model, which previously was less obvious or hidden. The new UI also creates more distinction between recommended and custom mode. Novice users or users who are not interested in all the settings can easily prepare a file, relying on the strength of expert-configured print profiles. Experienced users who want greater control can configure over 300 settings to their needs.
|
||||
|
||||
*Redesigned "Add Printer" dialog
|
||||
Updated one of the first dialogs a new user is presented with. The layout is loosely modeled on the layout of the Ultimaker 3/Ultimaker S5 "Connect to Network" dialog, and adds some instructions and intention to the dialog. Contributed by fieldOfView.
|
||||
|
||||
*Updated custom mode panel
|
||||
Based on feedback from 4.0 beta, the custom mode panel is now resizable to make more settings visible. The set position will persist between sessions.
|
||||
|
||||
*Monitor tab
|
||||
Updated the monitor tab interface for better alignment with Cura Connect interface.
|
||||
|
||||
*Remote printing
|
||||
Use your Ultimaker S5 printer with an Ultimaker account to send and monitor print jobs from outside your local network. Requires firmware 5.2 (coming soon).
|
||||
|
||||
*User ratings for plugins
|
||||
With an Ultimaker account, users can now give feedback on their experience by rating their favourite plugins.
|
||||
|
||||
*Integrated backups
|
||||
‘Cura backups’ has been integrated into Ultimaker Cura and can be found in the ‘extensions’ menu. With this feature, users can use their Ultimaker account to backup their Ultimaker Cura configurations to the cloud for easy, convenient retrieval.
|
||||
|
||||
*Plugin versioning
|
||||
Newer plug-ins can't load in older versions if they use newer features, while old plug-ins may still load in newer versions.
|
||||
|
||||
*LAN and cloud printer icons
|
||||
Users can now quickly see if their printer is network or cloud enabled with new icons.
|
||||
|
||||
*Improved UI speed
|
||||
This version switches faster between extruders and printers. Your mileage may vary depending on your system specifications.
|
||||
|
||||
*Floats precision
|
||||
No settings in Ultimaker Cura require more than three digits of precision, so floats in setting input fields have been limited to three digits only. Contributed by fieldOfView.
|
||||
|
||||
*Minimum support area
|
||||
This feature allows set minimum area size for support and support interface polygons. Polygons which area are smaller than set value will not be generated. Contributed by vgribinchuk/Desktop Metal.
|
||||
|
||||
*Lazy Tree Support calculation
|
||||
In previous versions, 95% of Tree Support’s computation time was used to calculate the collision volumes to make sure that the branches avoid collisions with the meshes. Now it calculates these volumes only when necessary, reducing the computation time. Contributed by bjude.
|
||||
|
||||
*CPE and CPE+ comb retractions
|
||||
Changed all CPE and CPE+ profiles to travel up to 50 mm without retraction, decreasing blobs caused by combing long distances.
|
||||
|
||||
*Marketplace improvements
|
||||
Added optimizations to show a support site instead of an email address, increased the number of lines that are shown for the description, and show a 'website' link so people can order material directly.
|
||||
|
||||
*Arduino drivers silent install
|
||||
Previous versions stopped silent installation because the Arduino drivers packaged with Cura are not signed. Arduino drivers are now skipped when performing a silent install.
|
||||
|
||||
*New third-party definitions
|
||||
- Wanhao. Updated printer profiles to use new travel_speed macro (Contributed by forkineye).
|
||||
- JGAurora A1, A5 and Z-603S (Contributed by pinchies).
|
||||
- Alfawise U20 (Contributed by pinchies).
|
||||
- Cocoon Create ModelMaker (Contributed by pinchies).
|
||||
- Ender-3. Updates to the printer definition (Contributed by stelgenhof).
|
||||
|
||||
*Bug fixes
|
||||
- Fixed an issue which prevented slicing when per extruder settings were changed with a disabled extruder.
|
||||
- Improved handling of non-Ultimaker network connected printers within Ultimaker Cura. Contributed by fieldOfView
|
||||
- Fixed an issue where printing with the second extruder only would retract material unnecessarily.
|
||||
- Fixed an issue where outdated plugins remained partially activated.
|
||||
- Fixed an issue where combing was not working when tweaking Retraction minimum travel.
|
||||
- Fixed an oversized print head collision zone when using print one-at-a-time mode.
|
||||
- Due to inaccuracy of floats in very large prints, the position is reset again several times using "G92 E0" commands.
|
||||
- Improved update checker text for better readability.
|
||||
- Updated the implementation of 3MF in Ultimaker Cura for better consistency with 3MF consortium specifications.
|
||||
- Removed all final and initial print temperature offsets, and increased first layer print temperature to fix under-extrusion problems.
|
||||
- Holding shift and rotating a model on its axis for fine-grained rotations would sometimes pan the camera. This has now been fixed.
|
||||
- Added file type associations for .gcode and .g extensions.
|
||||
- Marked some more profiles as experimental.
|
||||
- Fixed an issue where duplicated PLA with a different label would replace the original PLA entry.
|
||||
- Updated which profile new materials are based when you create a brand new material. Contributed by fieldOfView.
|
||||
- Fixed adhesion type errors on startup.
|
||||
- Fixed an issue where system tray icons would remain when Ultimaker Cura is closed until mouse-over.
|
||||
- Added extra tooltip to give extra information about start/end g-codes.
|
||||
- Fixed an issue where clicking 'Create Account' would go to login instead of sign-up.
|
||||
- Fixed an issue where the legacy profile importer would generate corrupt profiles.
|
||||
- Fixed an issue where Ultimaker Cura could crash on start-up during the upgrading of your configuration to the newest version for some people.
|
||||
- Fixed an issue where Ultimaker Cura would crash after downloading plugin from Marketplace.
|
||||
- Ignores plugins folder when checking files for version upgrade. Start-up is now much faster if you've installed a lot of plugins or have used many versions of Ultimaker Cura.
|
||||
- Fixed an issue where the firmware checker shows up when there is no internet connection.
|
||||
- Fixed an issue where settings could not be made visible again after hiding all settings.
|
||||
- Fixed false configuration error for CC Red 0.6 core after a version upgrade.
|
||||
- Fixed an issue where a warning is issued when selecting a printer with no material loaded. The extruder will now be disabled instead.
|
||||
|
||||
[3.6.0]
|
||||
*Gyroid infill
|
||||
New infill pattern with enhanced strength properties. Gyroid infill is one of the strongest infill types for a given weight, has isotropic properties, and prints relatively fast with reduced material use and a fully connected part interior. Note: Slicing time can increase up to 40 seconds or more, depending on the model. Contributed by smartavionics.
|
||||
|
@ -12,9 +12,6 @@ catalog = i18nCatalog("cura")
|
||||
from . import MarlinFlavorParser, RepRapFlavorParser
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
# Class for loading and parsing G-code files
|
||||
class GCodeReader(MeshReader):
|
||||
_flavor_default = "Marlin"
|
||||
|
@ -36,7 +36,7 @@ class DisplayFilenameAndLayerOnLCD(Script):
|
||||
name = self.getSettingValueByKey("name")
|
||||
else:
|
||||
name = Application.getInstance().getPrintInformation().jobName
|
||||
lcd_text = "M117 " + name + " layer: "
|
||||
lcd_text = "M117 " + name + " layer "
|
||||
i = 0
|
||||
for layer in data:
|
||||
display_text = lcd_text + str(i)
|
||||
|
@ -37,13 +37,14 @@ class InsertAtLayerChange(Script):
|
||||
for layer in data:
|
||||
# Check that a layer is being printed
|
||||
lines = layer.split("\n")
|
||||
if ";LAYER:" in lines[0]:
|
||||
index = data.index(layer)
|
||||
if self.getSettingValueByKey("insert_location") == "before":
|
||||
layer = gcode_to_add + layer
|
||||
else:
|
||||
layer = layer + gcode_to_add
|
||||
|
||||
data[index] = layer
|
||||
for line in lines:
|
||||
if ";LAYER:" in line:
|
||||
index = data.index(layer)
|
||||
if self.getSettingValueByKey("insert_location") == "before":
|
||||
layer = gcode_to_add + layer
|
||||
else:
|
||||
layer = layer + gcode_to_add
|
||||
|
||||
data[index] = layer
|
||||
break
|
||||
return data
|
||||
|
@ -85,10 +85,11 @@ class TimeLapse(Script):
|
||||
for layer in data:
|
||||
# Check that a layer is being printed
|
||||
lines = layer.split("\n")
|
||||
if ";LAYER:" in lines[0]:
|
||||
index = data.index(layer)
|
||||
layer += gcode_to_append
|
||||
|
||||
data[index] = layer
|
||||
for line in lines:
|
||||
if ";LAYER:" in line:
|
||||
index = data.index(layer)
|
||||
layer += gcode_to_append
|
||||
|
||||
data[index] = layer
|
||||
break
|
||||
return data
|
||||
|
@ -0,0 +1,46 @@
|
||||
# Cura PostProcessingPlugin
|
||||
# Author: Amanda de Castilho
|
||||
# Date: January 5,2019
|
||||
|
||||
# Description: This plugin overrides probing command and inserts code to ensure
|
||||
# previous probe measurements are loaded and bed leveling enabled
|
||||
# (searches for G29 and replaces it with M501 & M420 S1)
|
||||
# *** Assumes G29 is in the start code, will do nothing if it isn't ***
|
||||
|
||||
from ..Script import Script
|
||||
|
||||
class UsePreviousProbeMeasurements(Script):
|
||||
def __init__(self):
|
||||
super().__init__()
|
||||
|
||||
def getSettingDataString(self):
|
||||
return """{
|
||||
"name": "Use Previous Probe Measurements",
|
||||
"key": "UsePreviousProbeMeasurements",
|
||||
"metadata": {},
|
||||
"version": 2,
|
||||
"settings":
|
||||
{
|
||||
"use_previous_measurements":
|
||||
{
|
||||
"label": "Use last measurement?",
|
||||
"description": "Selecting this will remove the G29 probing command and instead ensure previous measurements are loaded and enabled",
|
||||
"type": "bool",
|
||||
"default_value": false
|
||||
}
|
||||
}
|
||||
}"""
|
||||
|
||||
def execute(self, data):
|
||||
text = "M501 ;load bed level data\nM420 S1 ;enable bed leveling"
|
||||
if self.getSettingValueByKey("use_previous_measurements"):
|
||||
for layer in data:
|
||||
layer_index = data.index(layer)
|
||||
lines = layer.split("\n")
|
||||
for line in lines:
|
||||
if line.startswith("G29"):
|
||||
line_index = lines.index(line)
|
||||
lines[line_index] = text
|
||||
final_lines = "\n".join(lines)
|
||||
data[layer_index] = final_lines
|
||||
return data
|
41
plugins/UFPReader/UFPReader.py
Normal file
41
plugins/UFPReader/UFPReader.py
Normal file
@ -0,0 +1,41 @@
|
||||
# Copyright (c) 2019 Ultimaker B.V.
|
||||
# Cura is released under the terms of the LGPLv3 or higher.
|
||||
|
||||
from typing import cast
|
||||
|
||||
from Charon.VirtualFile import VirtualFile
|
||||
|
||||
from UM.Mesh.MeshReader import MeshReader
|
||||
from UM.MimeTypeDatabase import MimeType, MimeTypeDatabase
|
||||
from UM.PluginRegistry import PluginRegistry
|
||||
from cura.Scene.CuraSceneNode import CuraSceneNode
|
||||
from plugins.GCodeReader.GCodeReader import GCodeReader
|
||||
|
||||
|
||||
class UFPReader(MeshReader):
|
||||
|
||||
def __init__(self) -> None:
|
||||
super().__init__()
|
||||
|
||||
MimeTypeDatabase.addMimeType(
|
||||
MimeType(
|
||||
name = "application/x-ufp",
|
||||
comment = "Ultimaker Format Package",
|
||||
suffixes = ["ufp"]
|
||||
)
|
||||
)
|
||||
self._supported_extensions = [".ufp"]
|
||||
|
||||
def _read(self, file_name: str) -> CuraSceneNode:
|
||||
# Open the file
|
||||
archive = VirtualFile()
|
||||
archive.open(file_name)
|
||||
# Get the gcode data from the file
|
||||
gcode_data = archive.getData("/3D/model.gcode")
|
||||
# Convert the bytes stream to string
|
||||
gcode_stream = gcode_data["/3D/model.gcode"].decode("utf-8")
|
||||
|
||||
# Open the GCodeReader to parse the data
|
||||
gcode_reader = cast(GCodeReader, PluginRegistry.getInstance().getPluginObject("GCodeReader"))
|
||||
gcode_reader.preReadFromStream(gcode_stream)
|
||||
return gcode_reader.readFromStream(gcode_stream)
|
26
plugins/UFPReader/__init__.py
Normal file
26
plugins/UFPReader/__init__.py
Normal file
@ -0,0 +1,26 @@
|
||||
#Copyright (c) 2019 Ultimaker B.V.
|
||||
#Cura is released under the terms of the LGPLv3 or higher.
|
||||
|
||||
from UM.i18n import i18nCatalog
|
||||
|
||||
from . import UFPReader
|
||||
|
||||
i18n_catalog = i18nCatalog("cura")
|
||||
|
||||
|
||||
def getMetaData():
|
||||
return {
|
||||
"mesh_reader": [
|
||||
{
|
||||
"mime_type": "application/x-ufp",
|
||||
"extension": "ufp",
|
||||
"description": i18n_catalog.i18nc("@item:inlistbox", "Ultimaker Format Package")
|
||||
}
|
||||
]
|
||||
}
|
||||
|
||||
|
||||
def register(app):
|
||||
app.addNonSliceableExtension(".ufp")
|
||||
return {"mesh_reader": UFPReader.UFPReader()}
|
||||
|
8
plugins/UFPReader/plugin.json
Normal file
8
plugins/UFPReader/plugin.json
Normal file
@ -0,0 +1,8 @@
|
||||
{
|
||||
"name": "UFP Reader",
|
||||
"author": "Ultimaker B.V.",
|
||||
"version": "1.0.0",
|
||||
"description": "Provides support for reading Ultimaker Format Packages.",
|
||||
"supported_sdk_versions": ["6.0.0"],
|
||||
"i18n-catalog": "cura"
|
||||
}
|
@ -28,7 +28,7 @@ class UFPWriter(MeshWriter):
|
||||
MimeTypeDatabase.addMimeType(
|
||||
MimeType(
|
||||
name = "application/x-ufp",
|
||||
comment = "Cura UFP File",
|
||||
comment = "Ultimaker Format Package",
|
||||
suffixes = ["ufp"]
|
||||
)
|
||||
)
|
||||
|
@ -210,7 +210,7 @@ Item
|
||||
|
||||
Label
|
||||
{
|
||||
text: "All jobs are printed."
|
||||
text: i18n.i18nc("@info", "All jobs are printed.")
|
||||
color: UM.Theme.getColor("monitor_text_primary")
|
||||
font: UM.Theme.getFont("medium") // 14pt, regular
|
||||
}
|
||||
|
@ -50,7 +50,17 @@ Component
|
||||
MonitorCarousel
|
||||
{
|
||||
id: carousel
|
||||
printers: OutputDevice.receivedPrintJobs ? OutputDevice.printers : [null]
|
||||
printers:
|
||||
{
|
||||
// When printing over the cloud we don't recieve print jobs until there is one, so
|
||||
// unless there's at least one print job we'll be stuck with skeleton loading
|
||||
// indefinitely.
|
||||
if (Cura.MachineManager.activeMachineIsUsingCloudConnection || OutputDevice.receivedPrintJobs)
|
||||
{
|
||||
return OutputDevice.printers
|
||||
}
|
||||
return [null]
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
@ -395,9 +395,9 @@ class ClusterUM3OutputDevice(NetworkedPrinterOutputDevice):
|
||||
newly_finished_jobs = [job for job in finished_jobs if job not in self._finished_jobs and job.owner == username]
|
||||
for job in newly_finished_jobs:
|
||||
if job.assignedPrinter:
|
||||
job_completed_text = i18n_catalog.i18nc("@info:status", "Printer '{printer_name}' has finished printing '{job_name}'.".format(printer_name=job.assignedPrinter.name, job_name = job.name))
|
||||
job_completed_text = i18n_catalog.i18nc("@info:status", "Printer '{printer_name}' has finished printing '{job_name}'.").format(printer_name=job.assignedPrinter.name, job_name = job.name)
|
||||
else:
|
||||
job_completed_text = i18n_catalog.i18nc("@info:status", "The print job '{job_name}' was finished.".format(job_name = job.name))
|
||||
job_completed_text = i18n_catalog.i18nc("@info:status", "The print job '{job_name}' was finished.").format(job_name = job.name)
|
||||
job_completed_message = Message(text=job_completed_text, title = i18n_catalog.i18nc("@info:status", "Print finished"))
|
||||
job_completed_message.show()
|
||||
|
||||
|
@ -494,50 +494,27 @@ class UM3OutputDevicePlugin(OutputDevicePlugin):
|
||||
def _onCloudFlowPossible(self) -> None:
|
||||
# Cloud flow is possible, so show the message
|
||||
if not self._start_cloud_flow_message:
|
||||
self._start_cloud_flow_message = Message(
|
||||
text = i18n_catalog.i18nc("@info:status", "Send and monitor print jobs from anywhere using your Ultimaker account."),
|
||||
lifetime = 0,
|
||||
image_source = QUrl.fromLocalFile(os.path.join(
|
||||
PluginRegistry.getInstance().getPluginPath("UM3NetworkPrinting"),
|
||||
"resources", "svg", "cloud-flow-start.svg"
|
||||
)),
|
||||
image_caption = i18n_catalog.i18nc("@info:status", "Connect to Ultimaker Cloud"),
|
||||
option_text = i18n_catalog.i18nc("@action", "Don't ask me again for this printer."),
|
||||
option_state = False
|
||||
)
|
||||
self._start_cloud_flow_message.addAction("", i18n_catalog.i18nc("@action", "Get started"), "", "")
|
||||
self._start_cloud_flow_message.optionToggled.connect(self._onDontAskMeAgain)
|
||||
self._start_cloud_flow_message.actionTriggered.connect(self._onCloudFlowStarted)
|
||||
self._start_cloud_flow_message.show()
|
||||
return
|
||||
self._createCloudFlowStartMessage()
|
||||
if self._start_cloud_flow_message and not self._start_cloud_flow_message.visible:
|
||||
self._start_cloud_flow_message.show()
|
||||
|
||||
def _onCloudPrintingConfigured(self) -> None:
|
||||
if self._start_cloud_flow_message:
|
||||
# Hide the cloud flow start message if it was hanging around already
|
||||
# For example: if the user already had the browser openen and made the association themselves
|
||||
if self._start_cloud_flow_message and self._start_cloud_flow_message.visible:
|
||||
self._start_cloud_flow_message.hide()
|
||||
self._start_cloud_flow_message = None
|
||||
|
||||
# Show the successful pop-up
|
||||
if not self._start_cloud_flow_message:
|
||||
self._cloud_flow_complete_message = Message(
|
||||
text = i18n_catalog.i18nc("@info:status", "You can now send and monitor print jobs from anywhere using your Ultimaker account."),
|
||||
lifetime = 30,
|
||||
image_source = QUrl.fromLocalFile(os.path.join(
|
||||
PluginRegistry.getInstance().getPluginPath("UM3NetworkPrinting"),
|
||||
"resources", "svg", "cloud-flow-completed.svg"
|
||||
)),
|
||||
image_caption = i18n_catalog.i18nc("@info:status", "Connected!")
|
||||
)
|
||||
# Don't show the review connection link if we're not on the local network
|
||||
if self._application.getMachineManager().activeMachineHasNetworkConnection:
|
||||
self._cloud_flow_complete_message.addAction("", i18n_catalog.i18nc("@action", "Review your connection"), "", "", 1) # TODO: Icon
|
||||
self._cloud_flow_complete_message.actionTriggered.connect(self._onReviewCloudConnection)
|
||||
# Cloud flow is complete, so show the message
|
||||
if not self._cloud_flow_complete_message:
|
||||
self._createCloudFlowCompleteMessage()
|
||||
if self._cloud_flow_complete_message and not self._cloud_flow_complete_message.visible:
|
||||
self._cloud_flow_complete_message.show()
|
||||
|
||||
# Set the machine's cloud flow as complete so we don't ask the user again and again for cloud connected printers
|
||||
active_machine = self._application.getMachineManager().activeMachine
|
||||
if active_machine:
|
||||
active_machine.setMetaDataEntry("do_not_show_cloud_message", True)
|
||||
return
|
||||
|
||||
# Set the machine's cloud flow as complete so we don't ask the user again and again for cloud connected printers
|
||||
active_machine = self._application.getMachineManager().activeMachine
|
||||
if active_machine:
|
||||
active_machine.setMetaDataEntry("do_not_show_cloud_message", True)
|
||||
return
|
||||
|
||||
def _onDontAskMeAgain(self, checked: bool) -> None:
|
||||
active_machine = self._application.getMachineManager().activeMachine # type: Optional[GlobalStack]
|
||||
@ -563,11 +540,40 @@ class UM3OutputDevicePlugin(OutputDevicePlugin):
|
||||
return
|
||||
|
||||
def _onMachineSwitched(self) -> None:
|
||||
if self._start_cloud_flow_message is not None:
|
||||
# Hide any left over messages
|
||||
if self._start_cloud_flow_message is not None and self._start_cloud_flow_message.visible:
|
||||
self._start_cloud_flow_message.hide()
|
||||
self._start_cloud_flow_message = None
|
||||
if self._cloud_flow_complete_message is not None:
|
||||
if self._cloud_flow_complete_message is not None and self._cloud_flow_complete_message.visible:
|
||||
self._cloud_flow_complete_message.hide()
|
||||
self._cloud_flow_complete_message = None
|
||||
|
||||
# Check for cloud flow again with newly selected machine
|
||||
self.checkCloudFlowIsPossible()
|
||||
|
||||
def _createCloudFlowStartMessage(self):
|
||||
self._start_cloud_flow_message = Message(
|
||||
text = i18n_catalog.i18nc("@info:status", "Send and monitor print jobs from anywhere using your Ultimaker account."),
|
||||
lifetime = 0,
|
||||
image_source = QUrl.fromLocalFile(os.path.join(
|
||||
PluginRegistry.getInstance().getPluginPath("UM3NetworkPrinting"),
|
||||
"resources", "svg", "cloud-flow-start.svg"
|
||||
)),
|
||||
image_caption = i18n_catalog.i18nc("@info:status Ultimaker Cloud is a brand name and shouldn't be translated.", "Connect to Ultimaker Cloud"),
|
||||
option_text = i18n_catalog.i18nc("@action", "Don't ask me again for this printer."),
|
||||
option_state = False
|
||||
)
|
||||
self._start_cloud_flow_message.addAction("", i18n_catalog.i18nc("@action", "Get started"), "", "")
|
||||
self._start_cloud_flow_message.optionToggled.connect(self._onDontAskMeAgain)
|
||||
self._start_cloud_flow_message.actionTriggered.connect(self._onCloudFlowStarted)
|
||||
|
||||
def _createCloudFlowCompleteMessage(self):
|
||||
self._cloud_flow_complete_message = Message(
|
||||
text = i18n_catalog.i18nc("@info:status", "You can now send and monitor print jobs from anywhere using your Ultimaker account."),
|
||||
lifetime = 30,
|
||||
image_source = QUrl.fromLocalFile(os.path.join(
|
||||
PluginRegistry.getInstance().getPluginPath("UM3NetworkPrinting"),
|
||||
"resources", "svg", "cloud-flow-completed.svg"
|
||||
)),
|
||||
image_caption = i18n_catalog.i18nc("@info:status", "Connected!")
|
||||
)
|
||||
self._cloud_flow_complete_message.addAction("", i18n_catalog.i18nc("@action", "Review your connection"), "", "", 1) # TODO: Icon
|
||||
self._cloud_flow_complete_message.actionTriggered.connect(self._onReviewCloudConnection)
|
@ -1,9 +1,12 @@
|
||||
# Copyright (c) 2018 Ultimaker B.V.
|
||||
# Copyright (c) 2019 Ultimaker B.V.
|
||||
# Cura is released under the terms of the LGPLv3 or higher.
|
||||
|
||||
import os
|
||||
|
||||
from UM.Logger import Logger
|
||||
from UM.i18n import i18nCatalog
|
||||
from UM.Logger import Logger
|
||||
from UM.Mesh.MeshWriter import MeshWriter #To get the g-code output.
|
||||
from UM.PluginRegistry import PluginRegistry #To get the g-code output.
|
||||
from UM.Qt.Duration import DurationFormat
|
||||
|
||||
from cura.CuraApplication import CuraApplication
|
||||
@ -15,10 +18,11 @@ from cura.PrinterOutput.GenericOutputController import GenericOutputController
|
||||
from .AutoDetectBaudJob import AutoDetectBaudJob
|
||||
from .AvrFirmwareUpdater import AvrFirmwareUpdater
|
||||
|
||||
from io import StringIO #To write the g-code output.
|
||||
from queue import Queue
|
||||
from serial import Serial, SerialException, SerialTimeoutException
|
||||
from threading import Thread, Event
|
||||
from time import time
|
||||
from queue import Queue
|
||||
from typing import Union, Optional, List, cast
|
||||
|
||||
import re
|
||||
@ -114,28 +118,29 @@ class USBPrinterOutputDevice(PrinterOutputDevice):
|
||||
# \param kwargs Keyword arguments.
|
||||
def requestWrite(self, nodes, file_name = None, filter_by_machine = False, file_handler = None, **kwargs):
|
||||
if self._is_printing:
|
||||
return # Aleady printing
|
||||
return # Already printing
|
||||
self.writeStarted.emit(self)
|
||||
# cancel any ongoing preheat timer before starting a print
|
||||
self._printers[0].getController().stopPreheatTimers()
|
||||
|
||||
CuraApplication.getInstance().getController().setActiveStage("MonitorStage")
|
||||
|
||||
# find the G-code for the active build plate to print
|
||||
active_build_plate_id = CuraApplication.getInstance().getMultiBuildPlateModel().activeBuildPlate
|
||||
gcode_dict = getattr(CuraApplication.getInstance().getController().getScene(), "gcode_dict")
|
||||
gcode_list = gcode_dict[active_build_plate_id]
|
||||
#Find the g-code to print.
|
||||
gcode_textio = StringIO()
|
||||
gcode_writer = cast(MeshWriter, PluginRegistry.getInstance().getPluginObject("GCodeWriter"))
|
||||
success = gcode_writer.write(gcode_textio, None)
|
||||
if not success:
|
||||
return
|
||||
|
||||
self._printGCode(gcode_list)
|
||||
self._printGCode(gcode_textio.getvalue())
|
||||
|
||||
## Start a print based on a g-code.
|
||||
# \param gcode_list List with gcode (strings).
|
||||
def _printGCode(self, gcode_list: List[str]):
|
||||
# \param gcode The g-code to print.
|
||||
def _printGCode(self, gcode: str):
|
||||
self._gcode.clear()
|
||||
self._paused = False
|
||||
|
||||
for layer in gcode_list:
|
||||
self._gcode.extend(layer.split("\n"))
|
||||
self._gcode.extend(gcode.split("\n"))
|
||||
|
||||
# Reset line number. If this is not done, first line is sometimes ignored
|
||||
self._gcode.insert(0, "M110")
|
||||
|
@ -6,7 +6,7 @@
|
||||
"display_name": "3MF Reader",
|
||||
"description": "Provides support for reading 3MF files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -23,7 +23,7 @@
|
||||
"display_name": "3MF Writer",
|
||||
"description": "Provides support for writing 3MF files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -40,7 +40,7 @@
|
||||
"display_name": "Change Log",
|
||||
"description": "Shows changes since latest checked version.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -57,7 +57,7 @@
|
||||
"display_name": "Cura Backups",
|
||||
"description": "Backup and restore your configuration.",
|
||||
"package_version": "1.2.0",
|
||||
"sdk_version": 6,
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -74,7 +74,7 @@
|
||||
"display_name": "CuraEngine Backend",
|
||||
"description": "Provides the link to the CuraEngine slicing backend.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -91,7 +91,7 @@
|
||||
"display_name": "Cura Profile Reader",
|
||||
"description": "Provides support for importing Cura profiles.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -108,7 +108,7 @@
|
||||
"display_name": "Cura Profile Writer",
|
||||
"description": "Provides support for exporting Cura profiles.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -125,7 +125,7 @@
|
||||
"display_name": "Firmware Update Checker",
|
||||
"description": "Checks for firmware updates.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -142,7 +142,7 @@
|
||||
"display_name": "Firmware Updater",
|
||||
"description": "Provides a machine actions for updating firmware.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -159,7 +159,7 @@
|
||||
"display_name": "Compressed G-code Reader",
|
||||
"description": "Reads g-code from a compressed archive.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -176,7 +176,7 @@
|
||||
"display_name": "Compressed G-code Writer",
|
||||
"description": "Writes g-code to a compressed archive.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -193,7 +193,7 @@
|
||||
"display_name": "G-Code Profile Reader",
|
||||
"description": "Provides support for importing profiles from g-code files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -210,7 +210,7 @@
|
||||
"display_name": "G-Code Reader",
|
||||
"description": "Allows loading and displaying G-code files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "VictorLarchenko",
|
||||
@ -227,7 +227,7 @@
|
||||
"display_name": "G-Code Writer",
|
||||
"description": "Writes g-code to a file.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -244,7 +244,7 @@
|
||||
"display_name": "Image Reader",
|
||||
"description": "Enables ability to generate printable geometry from 2D image files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -261,7 +261,7 @@
|
||||
"display_name": "Legacy Cura Profile Reader",
|
||||
"description": "Provides support for importing profiles from legacy Cura versions.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -278,7 +278,7 @@
|
||||
"display_name": "Machine Settings Action",
|
||||
"description": "Provides a way to change machine settings (such as build volume, nozzle size, etc.).",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "fieldOfView",
|
||||
@ -295,7 +295,7 @@
|
||||
"display_name": "Model Checker",
|
||||
"description": "Checks models and print configuration for possible printing issues and give suggestions.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -312,7 +312,7 @@
|
||||
"display_name": "Monitor Stage",
|
||||
"description": "Provides a monitor stage in Cura.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -329,7 +329,7 @@
|
||||
"display_name": "Per-Object Settings Tool",
|
||||
"description": "Provides the per-model settings.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -346,7 +346,7 @@
|
||||
"display_name": "Post Processing",
|
||||
"description": "Extension that allows for user created scripts for post processing.",
|
||||
"package_version": "2.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -363,7 +363,7 @@
|
||||
"display_name": "Prepare Stage",
|
||||
"description": "Provides a prepare stage in Cura.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -380,7 +380,7 @@
|
||||
"display_name": "Preview Stage",
|
||||
"description": "Provides a preview stage in Cura.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -397,7 +397,7 @@
|
||||
"display_name": "Removable Drive Output Device",
|
||||
"description": "Provides removable drive hotplugging and writing support.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -414,7 +414,7 @@
|
||||
"display_name": "Simulation View",
|
||||
"description": "Provides the Simulation view.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -431,7 +431,7 @@
|
||||
"display_name": "Slice Info",
|
||||
"description": "Submits anonymous slice info. Can be disabled through preferences.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -448,7 +448,7 @@
|
||||
"display_name": "Solid View",
|
||||
"description": "Provides a normal solid mesh view.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -465,7 +465,7 @@
|
||||
"display_name": "Support Eraser Tool",
|
||||
"description": "Creates an eraser mesh to block the printing of support in certain places.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -482,7 +482,24 @@
|
||||
"display_name": "Toolbox",
|
||||
"description": "Find, manage and install new Cura packages.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
"display_name": "Ultimaker B.V.",
|
||||
"email": "plugins@ultimaker.com",
|
||||
"website": "https://ultimaker.com"
|
||||
}
|
||||
}
|
||||
},
|
||||
"UFPReader": {
|
||||
"package_info": {
|
||||
"package_id": "UFPReader",
|
||||
"package_type": "plugin",
|
||||
"display_name": "UFP Reader",
|
||||
"description": "Provides support for reading Ultimaker Format Packages.",
|
||||
"package_version": "1.0.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -499,7 +516,7 @@
|
||||
"display_name": "UFP Writer",
|
||||
"description": "Provides support for writing Ultimaker Format Packages.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -516,7 +533,7 @@
|
||||
"display_name": "Ultimaker Machine Actions",
|
||||
"description": "Provides machine actions for Ultimaker machines (such as bed leveling wizard, selecting upgrades, etc.).",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -533,7 +550,7 @@
|
||||
"display_name": "UM3 Network Printing",
|
||||
"description": "Manages network connections to Ultimaker 3 printers.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -550,7 +567,7 @@
|
||||
"display_name": "USB Printing",
|
||||
"description": "Accepts G-Code and sends them to a printer. Plugin can also update firmware.",
|
||||
"package_version": "1.0.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -567,7 +584,7 @@
|
||||
"display_name": "Version Upgrade 2.1 to 2.2",
|
||||
"description": "Upgrades configurations from Cura 2.1 to Cura 2.2.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -584,7 +601,7 @@
|
||||
"display_name": "Version Upgrade 2.2 to 2.4",
|
||||
"description": "Upgrades configurations from Cura 2.2 to Cura 2.4.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -601,7 +618,7 @@
|
||||
"display_name": "Version Upgrade 2.5 to 2.6",
|
||||
"description": "Upgrades configurations from Cura 2.5 to Cura 2.6.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -618,7 +635,7 @@
|
||||
"display_name": "Version Upgrade 2.6 to 2.7",
|
||||
"description": "Upgrades configurations from Cura 2.6 to Cura 2.7.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -635,7 +652,7 @@
|
||||
"display_name": "Version Upgrade 2.7 to 3.0",
|
||||
"description": "Upgrades configurations from Cura 2.7 to Cura 3.0.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -652,7 +669,7 @@
|
||||
"display_name": "Version Upgrade 3.0 to 3.1",
|
||||
"description": "Upgrades configurations from Cura 3.0 to Cura 3.1.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -669,7 +686,7 @@
|
||||
"display_name": "Version Upgrade 3.2 to 3.3",
|
||||
"description": "Upgrades configurations from Cura 3.2 to Cura 3.3.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -686,7 +703,7 @@
|
||||
"display_name": "Version Upgrade 3.3 to 3.4",
|
||||
"description": "Upgrades configurations from Cura 3.3 to Cura 3.4.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -703,7 +720,7 @@
|
||||
"display_name": "Version Upgrade 3.4 to 3.5",
|
||||
"description": "Upgrades configurations from Cura 3.4 to Cura 3.5.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -720,7 +737,7 @@
|
||||
"display_name": "Version Upgrade 3.5 to 4.0",
|
||||
"description": "Upgrades configurations from Cura 3.5 to Cura 4.0.",
|
||||
"package_version": "1.0.0",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -737,7 +754,7 @@
|
||||
"display_name": "Version Upgrade 4.0 to 4.1",
|
||||
"description": "Upgrades configurations from Cura 4.0 to Cura 4.1.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -754,7 +771,7 @@
|
||||
"display_name": "X3D Reader",
|
||||
"description": "Provides support for reading X3D files.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "SevaAlekseyev",
|
||||
@ -771,7 +788,7 @@
|
||||
"display_name": "XML Material Profiles",
|
||||
"description": "Provides capabilities to read and write XML-based material profiles.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -788,7 +805,7 @@
|
||||
"display_name": "X-Ray View",
|
||||
"description": "Provides the X-Ray view.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -805,7 +822,7 @@
|
||||
"display_name": "Generic ABS",
|
||||
"description": "The generic ABS profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -823,7 +840,7 @@
|
||||
"display_name": "Generic BAM",
|
||||
"description": "The generic BAM profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -841,7 +858,7 @@
|
||||
"display_name": "Generic CFF CPE",
|
||||
"description": "The generic CFF CPE profile which other profiles can be based upon.",
|
||||
"package_version": "1.1.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -859,7 +876,7 @@
|
||||
"display_name": "Generic CFF PA",
|
||||
"description": "The generic CFF PA profile which other profiles can be based upon.",
|
||||
"package_version": "1.1.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -877,7 +894,7 @@
|
||||
"display_name": "Generic CPE",
|
||||
"description": "The generic CPE profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -895,7 +912,7 @@
|
||||
"display_name": "Generic CPE+",
|
||||
"description": "The generic CPE+ profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -913,7 +930,7 @@
|
||||
"display_name": "Generic GFF CPE",
|
||||
"description": "The generic GFF CPE profile which other profiles can be based upon.",
|
||||
"package_version": "1.1.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -931,7 +948,7 @@
|
||||
"display_name": "Generic GFF PA",
|
||||
"description": "The generic GFF PA profile which other profiles can be based upon.",
|
||||
"package_version": "1.1.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -949,7 +966,7 @@
|
||||
"display_name": "Generic HIPS",
|
||||
"description": "The generic HIPS profile which other profiles can be based upon.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -967,7 +984,7 @@
|
||||
"display_name": "Generic Nylon",
|
||||
"description": "The generic Nylon profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -985,7 +1002,7 @@
|
||||
"display_name": "Generic PC",
|
||||
"description": "The generic PC profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1003,7 +1020,7 @@
|
||||
"display_name": "Generic PETG",
|
||||
"description": "The generic PETG profile which other profiles can be based upon.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1021,7 +1038,7 @@
|
||||
"display_name": "Generic PLA",
|
||||
"description": "The generic PLA profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1039,7 +1056,7 @@
|
||||
"display_name": "Generic PP",
|
||||
"description": "The generic PP profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1057,7 +1074,7 @@
|
||||
"display_name": "Generic PVA",
|
||||
"description": "The generic PVA profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1075,7 +1092,7 @@
|
||||
"display_name": "Generic Tough PLA",
|
||||
"description": "The generic Tough PLA profile which other profiles can be based upon.",
|
||||
"package_version": "1.0.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1093,7 +1110,7 @@
|
||||
"display_name": "Generic TPU",
|
||||
"description": "The generic TPU profile which other profiles can be based upon.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://github.com/Ultimaker/fdm_materials",
|
||||
"author": {
|
||||
"author_id": "Generic",
|
||||
@ -1111,7 +1128,7 @@
|
||||
"display_name": "Dagoma Chromatik PLA",
|
||||
"description": "Filament testé et approuvé pour les imprimantes 3D Dagoma. Chromatik est l'idéal pour débuter et suivre les tutoriels premiers pas. Il vous offre qualité et résistance pour chacune de vos impressions.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://dagoma.fr/boutique/filaments.html",
|
||||
"author": {
|
||||
"author_id": "Dagoma",
|
||||
@ -1128,7 +1145,7 @@
|
||||
"display_name": "FABtotum ABS",
|
||||
"description": "This material is easy to be extruded but it is not the simplest to use. It is one of the most used in 3D printing to get very well finished objects. It is not sustainable and its smoke can be dangerous if inhaled. The reason to prefer this filament to PLA is mainly because of its precision and mechanical specs. ABS (for plastic) stands for Acrylonitrile Butadiene Styrene and it is a thermoplastic which is widely used in everyday objects. It can be printed with any FFF 3D printer which can get to high temperatures as it must be extruded in a range between 220° and 245°, so it’s compatible with all versions of the FABtotum Personal fabricator.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=40",
|
||||
"author": {
|
||||
"author_id": "FABtotum",
|
||||
@ -1145,7 +1162,7 @@
|
||||
"display_name": "FABtotum Nylon",
|
||||
"description": "When 3D printing started this material was not listed among the extrudable filaments. It is flexible as well as resistant to tractions. It is well known for its uses in textile but also in industries which require a strong and flexible material. There are different kinds of Nylon: 3D printing mostly uses Nylon 6 and Nylon 6.6, which are the most common. It requires higher temperatures to be printed, so a 3D printer must be able to reach them (around 240°C): the FABtotum, of course, can.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=53",
|
||||
"author": {
|
||||
"author_id": "FABtotum",
|
||||
@ -1162,7 +1179,7 @@
|
||||
"display_name": "FABtotum PLA",
|
||||
"description": "It is the most common filament used for 3D printing. It is studied to be bio-degradable as it comes from corn starch’s sugar mainly. It is completely made of renewable sources and has no footprint on polluting. PLA stands for PolyLactic Acid and it is a thermoplastic that today is still considered the easiest material to be 3D printed. It can be extruded at lower temperatures: the standard range of FABtotum’s one is between 185° and 195°.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=39",
|
||||
"author": {
|
||||
"author_id": "FABtotum",
|
||||
@ -1179,7 +1196,7 @@
|
||||
"display_name": "FABtotum TPU Shore 98A",
|
||||
"description": "",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://store.fabtotum.com/eu/products/filaments.html?filament_type=66",
|
||||
"author": {
|
||||
"author_id": "FABtotum",
|
||||
@ -1196,7 +1213,7 @@
|
||||
"display_name": "Fiberlogy HD PLA",
|
||||
"description": "With our HD PLA you have many more options. You can use this material in two ways. Choose the one you like best. You can use it as a normal PLA and get prints characterized by a very good adhesion between the layers and high precision. You can also make your prints acquire similar properties to that of ABS – better impact resistance and high temperature resistance. All you need is an oven. Yes, an oven! By annealing our HD PLA in an oven, in accordance with the manual, you will avoid all the inconveniences of printing with ABS, such as unpleasant odour or hazardous fumes.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://fiberlogy.com/en/fiberlogy-filaments/filament-hd-pla/",
|
||||
"author": {
|
||||
"author_id": "Fiberlogy",
|
||||
@ -1213,7 +1230,7 @@
|
||||
"display_name": "Filo3D PLA",
|
||||
"description": "Fast, safe and reliable printing. PLA is ideal for the fast and reliable printing of parts and prototypes with a great surface quality.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://dagoma.fr",
|
||||
"author": {
|
||||
"author_id": "Dagoma",
|
||||
@ -1230,7 +1247,7 @@
|
||||
"display_name": "IMADE3D JellyBOX PETG",
|
||||
"description": "",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://shop.imade3d.com/filament.html",
|
||||
"author": {
|
||||
"author_id": "IMADE3D",
|
||||
@ -1247,7 +1264,7 @@
|
||||
"display_name": "IMADE3D JellyBOX PLA",
|
||||
"description": "",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://shop.imade3d.com/filament.html",
|
||||
"author": {
|
||||
"author_id": "IMADE3D",
|
||||
@ -1264,7 +1281,7 @@
|
||||
"display_name": "Octofiber PLA",
|
||||
"description": "PLA material from Octofiber.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://nl.octofiber.com/3d-printing-filament/pla.html",
|
||||
"author": {
|
||||
"author_id": "Octofiber",
|
||||
@ -1281,7 +1298,7 @@
|
||||
"display_name": "PolyFlex™ PLA",
|
||||
"description": "PolyFlex™ is a highly flexible yet easy to print 3D printing material. Featuring good elasticity and a large strain-to- failure, PolyFlex™ opens up a completely new realm of applications.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://www.polymaker.com/shop/polyflex/",
|
||||
"author": {
|
||||
"author_id": "Polymaker",
|
||||
@ -1298,7 +1315,7 @@
|
||||
"display_name": "PolyMax™ PLA",
|
||||
"description": "PolyMax™ PLA is a 3D printing material with excellent mechanical properties and printing quality. PolyMax™ PLA has an impact resistance of up to nine times that of regular PLA, and better overall mechanical properties than ABS.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://www.polymaker.com/shop/polymax/",
|
||||
"author": {
|
||||
"author_id": "Polymaker",
|
||||
@ -1315,7 +1332,7 @@
|
||||
"display_name": "PolyPlus™ PLA True Colour",
|
||||
"description": "PolyPlus™ PLA is a premium PLA designed for all desktop FDM/FFF 3D printers. It is produced with our patented Jam-Free™ technology that ensures consistent extrusion and prevents jams.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://www.polymaker.com/shop/polyplus-true-colour/",
|
||||
"author": {
|
||||
"author_id": "Polymaker",
|
||||
@ -1332,7 +1349,7 @@
|
||||
"display_name": "PolyWood™ PLA",
|
||||
"description": "PolyWood™ is a wood mimic printing material that contains no actual wood ensuring a clean Jam-Free™ printing experience.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "http://www.polymaker.com/shop/polywood/",
|
||||
"author": {
|
||||
"author_id": "Polymaker",
|
||||
@ -1349,7 +1366,7 @@
|
||||
"display_name": "Ultimaker ABS",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/abs",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1368,7 +1385,7 @@
|
||||
"display_name": "Ultimaker Breakaway",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/breakaway",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1387,7 +1404,7 @@
|
||||
"display_name": "Ultimaker CPE",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/abs",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1406,7 +1423,7 @@
|
||||
"display_name": "Ultimaker CPE+",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/cpe",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1425,7 +1442,7 @@
|
||||
"display_name": "Ultimaker Nylon",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/abs",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1444,7 +1461,7 @@
|
||||
"display_name": "Ultimaker PC",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/pc",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1463,7 +1480,7 @@
|
||||
"display_name": "Ultimaker PLA",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/abs",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1482,7 +1499,7 @@
|
||||
"display_name": "Ultimaker PP",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/pp",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1501,7 +1518,7 @@
|
||||
"display_name": "Ultimaker PVA",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/abs",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1520,7 +1537,7 @@
|
||||
"display_name": "Ultimaker TPU 95A",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.2.2",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/tpu-95a",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1539,7 +1556,7 @@
|
||||
"display_name": "Ultimaker Tough PLA",
|
||||
"description": "Example package for material and quality profiles for Ultimaker materials.",
|
||||
"package_version": "1.0.3",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://ultimaker.com/products/materials/tough-pla",
|
||||
"author": {
|
||||
"author_id": "UltimakerPackages",
|
||||
@ -1558,7 +1575,7 @@
|
||||
"display_name": "Vertex Delta ABS",
|
||||
"description": "ABS material and quality files for the Delta Vertex K8800.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://vertex3dprinter.eu",
|
||||
"author": {
|
||||
"author_id": "Velleman",
|
||||
@ -1575,7 +1592,7 @@
|
||||
"display_name": "Vertex Delta PET",
|
||||
"description": "ABS material and quality files for the Delta Vertex K8800.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://vertex3dprinter.eu",
|
||||
"author": {
|
||||
"author_id": "Velleman",
|
||||
@ -1592,7 +1609,7 @@
|
||||
"display_name": "Vertex Delta PLA",
|
||||
"description": "ABS material and quality files for the Delta Vertex K8800.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://vertex3dprinter.eu",
|
||||
"author": {
|
||||
"author_id": "Velleman",
|
||||
@ -1609,7 +1626,7 @@
|
||||
"display_name": "Vertex Delta TPU",
|
||||
"description": "ABS material and quality files for the Delta Vertex K8800.",
|
||||
"package_version": "1.0.1",
|
||||
"sdk_version": "6.0",
|
||||
"sdk_version": "6.0.0",
|
||||
"website": "https://vertex3dprinter.eu",
|
||||
"author": {
|
||||
"author_id": "Velleman",
|
||||
|
@ -14,80 +14,52 @@
|
||||
}
|
||||
},
|
||||
"overrides": {
|
||||
"machine_name": {
|
||||
"default_value": "Alfawise U30"
|
||||
},
|
||||
"machine_name": { "default_value": "Alfawise U30" },
|
||||
"machine_start_gcode": {
|
||||
"default_value": "; -- START GCODE --\nG21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to min endstops\nG1 Z1 F1000 ;move up slightly\nG1 Y60.0 Z0 E9.0 F1000.0;intro line\nG1 Y100.0 E21.5 F1000.0 ;continue line\nG92 E0 ;zero the extruded length again\nG1 F80\n;Put printing message on LCD screen\nM117 Printing...\n; -- end of START GCODE --"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "; -- END GCODE --\nM104 S0 ;extruder heater off\nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F80 ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nM84 ;steppers off\nG90 ;absolute positioning\nM107 ;turn the fan off; -- end of END GCODE --"
|
||||
},
|
||||
"machine_width": {
|
||||
"default_value": 220
|
||||
},
|
||||
"machine_height": {
|
||||
"default_value": 250
|
||||
},
|
||||
"machine_depth": {
|
||||
"default_value": 220
|
||||
},
|
||||
"machine_heated_bed": {
|
||||
"default_value": true
|
||||
},
|
||||
"machine_center_is_zero": {
|
||||
"default_value": false
|
||||
},
|
||||
"gantry_height": {
|
||||
"default_value": 10
|
||||
},
|
||||
"machine_gcode_flavor": {
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"material_diameter": {
|
||||
"default_value": 1.75
|
||||
},
|
||||
"material_print_temperature": {
|
||||
"default_value": 210
|
||||
},
|
||||
"material_bed_temperature": {
|
||||
"default_value": 50
|
||||
},
|
||||
"layer_height_0": {
|
||||
"default_value": 0.2
|
||||
},
|
||||
"wall_thickness": {
|
||||
"default_value": 1.2
|
||||
},
|
||||
"speed_print": {
|
||||
"default_value": 40
|
||||
},
|
||||
"speed_infill": {
|
||||
"default_value": 40
|
||||
},
|
||||
"speed_wall": {
|
||||
"default_value": 35
|
||||
},
|
||||
"speed_topbottom": {
|
||||
"default_value": 35
|
||||
},
|
||||
"speed_travel": {
|
||||
"default_value": 120
|
||||
},
|
||||
"speed_layer_0": {
|
||||
"default_value": 20
|
||||
},
|
||||
"support_enable": {
|
||||
"default_value": true
|
||||
},
|
||||
"retraction_enable": {
|
||||
"default_value": true
|
||||
},
|
||||
"retraction_amount": {
|
||||
"default_value": 5
|
||||
},
|
||||
"retraction_speed": {
|
||||
"default_value": 45
|
||||
}
|
||||
"material_diameter": { "default_value": 1.75 },
|
||||
"material_print_temperature": { "default_value": 210 },
|
||||
"material_bed_temperature": { "default_value": 50 },
|
||||
"layer_height_0": { "default_value": 0.2 },
|
||||
"wall_thickness": { "default_value": 1.2 },
|
||||
"speed_print": { "default_value": 40 },
|
||||
"speed_infill": { "default_value": 50 },
|
||||
"speed_wall": { "default_value": 35 },
|
||||
"speed_topbottom": { "default_value": 35 },
|
||||
"speed_travel": { "default_value": 120 },
|
||||
"speed_layer_0": { "default_value": 20 },
|
||||
"support_enable": { "default_value": true },
|
||||
"retraction_enable": { "default_value": true },
|
||||
"retraction_amount": { "default_value": 5 },
|
||||
"retraction_speed": { "default_value": 45 },
|
||||
"gantry_height": { "default_value": 25 },
|
||||
"machine_width": { "default_value": 220 },
|
||||
"machine_height": { "default_value": 250 },
|
||||
"machine_depth": { "default_value": 220 },
|
||||
"machine_center_is_zero": { "default_value": false },
|
||||
"machine_heated_bed": { "default_value": true },
|
||||
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
|
||||
"machine_max_feedrate_x": { "default_value": 200 },
|
||||
"machine_max_feedrate_y": { "default_value": 200 },
|
||||
"machine_max_feedrate_z": { "default_value": 5 },
|
||||
"machine_max_feedrate_e": { "default_value": 100 },
|
||||
"machine_max_acceleration_x": { "default_value": 500 },
|
||||
"machine_max_acceleration_y": { "default_value": 500 },
|
||||
"machine_max_acceleration_z": { "default_value": 10 },
|
||||
"machine_max_acceleration_e": { "default_value": 3000 },
|
||||
"machine_acceleration": { "default_value": 300 },
|
||||
"machine_max_jerk_xy": { "default_value": 20.0 },
|
||||
"machine_max_jerk_z": { "default_value": 0.4 },
|
||||
"machine_max_jerk_e": { "default_value": 5.0 },
|
||||
"machine_steps_per_mm_x": { "default_value": 80 },
|
||||
"machine_steps_per_mm_y": { "default_value": 80 },
|
||||
"machine_steps_per_mm_z": { "default_value": 400 },
|
||||
"machine_steps_per_mm_e": { "default_value": 93 },
|
||||
"skirt_line_count": { "default_value": 1 },
|
||||
"skirt_brim_minimal_length": { "default_value": 250 }
|
||||
}
|
||||
}
|
||||
|
@ -1,12 +1,22 @@
|
||||
{
|
||||
"name": "ALYA",
|
||||
"version": 2,
|
||||
"name": "ALYA",
|
||||
"inherits": "fdmprinter",
|
||||
"metadata": {
|
||||
"metadata":
|
||||
{
|
||||
"visible": true,
|
||||
"author": "ALYA",
|
||||
"manufacturer": "ALYA",
|
||||
"manufacturer": "Kati Hal ARGE",
|
||||
"category": "Other",
|
||||
"file_formats": "text/x-gcode",
|
||||
"platform": "alya_platform.stl",
|
||||
"platform_offset": [-60, -45, 75 ],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_abs", "generic_abs_175", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175", "generic_petg", "generic_petg_175", "generic_pp", "generic_pva", "generic_pva_175", "generic_tough_pla", "generic_tpu", "generic_tpu_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla","tizyx_pla","tizyx_abs","tizyx_pla_bois" ],
|
||||
"preferred_material": "generic_pla",
|
||||
"has_machine_quality": true,
|
||||
"has_materials": true,
|
||||
"has_variants": false,
|
||||
"supports_usb_connection": false,
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
"0": "alya3dp_extruder_0"
|
||||
@ -14,37 +24,27 @@
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"machine_width": {
|
||||
"default_value": 100
|
||||
"machine_name": { "default_value": "ALYA 3DP" },
|
||||
"machine_heated_bed": { "default_value": false },
|
||||
"machine_width": { "default_value": 100 },
|
||||
"machine_height": { "default_value": 133 },
|
||||
"machine_depth": { "default_value": 100 },
|
||||
"machine_center_is_zero": { "default_value": false },
|
||||
"gantry_height": { "default_value": 55 },
|
||||
"retraction_amount": { "default_value": 1.5 },
|
||||
"support_enable": { "default_value": true},
|
||||
"machine_head_with_fans_polygon": {
|
||||
"default_value": [[75, 18],[18, 18],[18, 35],[75, 35]]
|
||||
},
|
||||
"machine_height": {
|
||||
"default_value": 133
|
||||
"adhesion_type": {"options": {"raft": "Raft" ,"none": "None", "brim": "Brim"}, "default_value": "raft"},
|
||||
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
|
||||
"machine_start_gcode":
|
||||
{
|
||||
"default_value": ";Sliced at: {day} {date} {time} \n ;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {fill_density} \n ;Print time: {print_time} \n ;Filament used: {filament_amount}m {filament_weight}g \n ;Filament cost: {filament_cost} \n G28 X0 Y0 ;move X Y to endstops \n G28 Z0 ;move Z to endstops \n ; M190 S{material_bed_temperature} ;bed temp \n M107 ; switch fan off \n M109 S{material_print_temperature} ;extruder temp set \n G1 F3000 \n G1 Z10 \n G92 E0 ;zero the extruded length \n G1 F200 E1 ;extrude 1mm of feed stock \n G92 E0 ;zero the extruded length again \n G4 P7000 ; wait 7000ms \n M117 Printing... ;Put printing message on LCD screen"
|
||||
},
|
||||
"machine_depth": {
|
||||
"default_value": 100
|
||||
},
|
||||
"machine_center_is_zero": {
|
||||
"default_value": false
|
||||
},
|
||||
"machine_head_polygon": {
|
||||
"default_value": [
|
||||
[75, 18],
|
||||
[18, 18],
|
||||
[18, 35],
|
||||
[75, 35]
|
||||
]
|
||||
},
|
||||
"gantry_height": {
|
||||
"default_value": 55
|
||||
},
|
||||
"machine_gcode_flavor": {
|
||||
"default_value": "RepRap"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": ";Sliced at: {day} {date} {time}\n;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {fill_density}\n;Print time: {print_time}\n;Filament used: {filament_amount}m {filament_weight}g\n;Filament cost: {filament_cost}\n;M190 S{print_bed_temperature} ;Uncomment to add your own bed temperature line\n;M109 S{print_temperature} ;Uncomment to add your own temperature line\nG21 ;metric values\nG90 ;absolute positioning\nM82 ;set extruder to absolute mode\nM107 ;start with the fan off\nG28 X0 Y0 ;move X/Y to min endstops\nG28 Z0 ;move Z to max endstops\nG1 Z115.0 F{speed_travel} ;move th e platform up 20mm\nG28 Z0 ;move Z to max endstop\nG1 Z15.0 F{speed_travel} ;move the platform down 15mm\nG92 E0 ;zero the extruded length\nG1 F200 E3 ;extrude 3mm of feed stock\nG92 E0 ;zero the extruded length again\nG1 F{speed_travel}\nM301 H1 P26.38 I2.57 D67.78\n;Put printing message on LCD screen\nM117 Printing..."
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": ";End GCode\nM104 S0 ;extruder heater off\nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F{speed_travel} ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nG28 Z0\nM84 ;steppers off\nG90 ;absolute positioning\n;{profile_string}"
|
||||
"machine_end_gcode":
|
||||
{
|
||||
"default_value": ";End GCode\nM104 S0 ;extruder heater off \nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F{travel_speed} ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nG28 Z0\nM84 ;steppers off\nG90 ;absolute positioning\n;{profile_string}"
|
||||
}
|
||||
}
|
||||
}
|
50
resources/definitions/alyanx3dp.def.json
Normal file
50
resources/definitions/alyanx3dp.def.json
Normal file
@ -0,0 +1,50 @@
|
||||
{
|
||||
"version": 2,
|
||||
"name": "ALYA NX",
|
||||
"inherits": "fdmprinter",
|
||||
"metadata":
|
||||
{
|
||||
"visible": true,
|
||||
"author": "ALYA",
|
||||
"manufacturer": "Kati Hal ARGE",
|
||||
"category": "Other",
|
||||
"file_formats": "text/x-gcode",
|
||||
"platform": "alya_nx_platform.stl",
|
||||
"platform_offset": [-104, 0, 93 ],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_abs", "generic_abs_175", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175", "generic_petg", "generic_petg_175", "generic_pp", "generic_pva", "generic_pva_175", "generic_tough_pla", "generic_tpu", "generic_tpu_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla","tizyx_pla","tizyx_abs","tizyx_pla_bois" ],
|
||||
"preferred_material": "generic_pla",
|
||||
"has_machine_quality": true,
|
||||
"has_materials": true,
|
||||
"has_variants": false,
|
||||
"supports_usb_connection": false,
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
"0": "alya3dp_extruder_0"
|
||||
}
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"machine_name": { "default_value": "ALYA NX 3DP" },
|
||||
"machine_heated_bed": { "default_value": false },
|
||||
"machine_width": { "default_value": 180 },
|
||||
"machine_height": { "default_value": 170 },
|
||||
"machine_depth": { "default_value": 160 },
|
||||
"machine_center_is_zero": { "default_value": false },
|
||||
"gantry_height": { "default_value": 55 },
|
||||
"retraction_amount": { "default_value": 1.5 },
|
||||
"support_enable": { "default_value": true},
|
||||
"machine_head_with_fans_polygon": {
|
||||
"default_value": [[75, 18],[18, 18],[18, 35],[75, 35]]
|
||||
},
|
||||
"adhesion_type": {"options": {"raft": "Raft" ,"none": "None", "brim": "Brim"}, "default_value": "raft"},
|
||||
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
|
||||
"machine_start_gcode":
|
||||
{
|
||||
"default_value": ";Sliced at: {day} {date} {time} \n ;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {fill_density} \n ;Print time: {print_time} \n ;Filament used: {filament_amount}m {filament_weight}g \n ;Filament cost: {filament_cost} \n G28 X0 Y0 ;move X Y to endstops \n G28 Z0 ;move Z to endstops \n ; M190 S{material_bed_temperature} ;bed temp \n M107 ; switch fan off \n M109 S{material_print_temperature} ;extruder temp set \n G1 F3000 \n G1 Z10 \n G92 E0 ;zero the extruded length \n G1 F200 E1 ;extrude 1mm of feed stock \n G92 E0 ;zero the extruded length again \n G4 P7000 ; wait 7000ms \n M117 Printing... ;Put printing message on LCD screen"
|
||||
},
|
||||
"machine_end_gcode":
|
||||
{
|
||||
"default_value": ";End GCode\nM104 S0 ;extruder heater off \nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F{travel_speed} ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nG28 Z0\nM84 ;steppers off\nG90 ;absolute positioning\n;{profile_string}"
|
||||
}
|
||||
}
|
||||
}
|
@ -51,16 +51,13 @@
|
||||
"default_value": 500
|
||||
},
|
||||
"acceleration_travel": {
|
||||
"default_value": 500
|
||||
"value": "acceleration_print"
|
||||
},
|
||||
"jerk_enabled": {
|
||||
"default_value": true
|
||||
},
|
||||
"jerk_travel": {
|
||||
"default_value": 20
|
||||
},
|
||||
"layer_height": {
|
||||
"default_value": 0.10
|
||||
"value": "jerk_print"
|
||||
},
|
||||
"layer_height_0": {
|
||||
"default_value": 0.2
|
||||
|
@ -6,7 +6,7 @@
|
||||
"type": "extruder",
|
||||
"author": "Ultimaker",
|
||||
"manufacturer": "Unknown",
|
||||
"setting_version": 1,
|
||||
"setting_version": 7,
|
||||
"visible": false,
|
||||
"position": "0"
|
||||
},
|
||||
|
@ -7,7 +7,7 @@
|
||||
"author": "Ultimaker",
|
||||
"category": "Other",
|
||||
"manufacturer": "Unknown",
|
||||
"setting_version": 1,
|
||||
"setting_version": 7,
|
||||
"file_formats": "text/x-gcode;application/x-stl-ascii;application/x-stl-binary;application/x-wavefront-obj;application/x3g",
|
||||
"visible": false,
|
||||
"has_materials": true,
|
||||
|
93
resources/definitions/jgaurora_jgmaker_magic.def.json
Normal file
93
resources/definitions/jgaurora_jgmaker_magic.def.json
Normal file
@ -0,0 +1,93 @@
|
||||
{
|
||||
"name": "JGAurora JGMaker Magic",
|
||||
"version": 2,
|
||||
"inherits": "fdmprinter",
|
||||
"metadata": {
|
||||
"visible": true,
|
||||
"author": "Samuel Pinches",
|
||||
"manufacturer": "JGAurora",
|
||||
"file_formats": "text/x-gcode",
|
||||
"preferred_quality_type": "fast",
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
"0": "jgaurora_jgmaker_magic_extruder_0"
|
||||
}
|
||||
},
|
||||
"overrides": {
|
||||
"machine_name": {
|
||||
"default_value": "JGAurora JGMaker Magic"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": "; -- START GCODE --\nG21 ;set units to millimetres\nG90 ;set to absolute positioning\nM106 S0 ;set fan speed to zero (turned off)\nG28 ;home all axis\nM420 S1 ;turn on mesh bed levelling if enabled in firmware\nG92 E0 ;zero the extruded length\nG1 Z1 F1000 ;move up slightly\nG1 X60.0 Z0 E9.0 F1000.0;intro line\nG1 X100.0 E21.5 F1000.0 ;continue line\nG92 E0 ;zero the extruded length again\n; -- end of START GCODE --"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "; -- END GCODE --\nM104 S0 ;turn off nozzle heater\nM140 S0 ;turn off bed heater\nG91 ;set to relative positioning\nG1 E-10 F300 ;retract the filament slightly\nG90 ;set to absolute positioning\nG28 X0 ;move to the X-axis origin (Home)\nG0 Y280 F600 ;bring the bed to the front for easy print removal\nM84 ;turn off stepper motors\n; -- end of END GCODE --"
|
||||
},
|
||||
"machine_width": {
|
||||
"default_value": 220
|
||||
},
|
||||
"machine_height": {
|
||||
"default_value": 250
|
||||
},
|
||||
"machine_depth": {
|
||||
"default_value": 220
|
||||
},
|
||||
"machine_heated_bed": {
|
||||
"default_value": true
|
||||
},
|
||||
"machine_center_is_zero": {
|
||||
"default_value": false
|
||||
},
|
||||
"gantry_height": {
|
||||
"default_value": 10
|
||||
},
|
||||
"machine_gcode_flavor": {
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"material_diameter": {
|
||||
"default_value": 1.75
|
||||
},
|
||||
"material_print_temperature": {
|
||||
"default_value": 200
|
||||
},
|
||||
"material_bed_temperature": {
|
||||
"default_value": 60
|
||||
},
|
||||
"layer_height_0": {
|
||||
"default_value": 0.2
|
||||
},
|
||||
"wall_thickness": {
|
||||
"default_value": 1.2
|
||||
},
|
||||
"speed_print": {
|
||||
"default_value": 60
|
||||
},
|
||||
"speed_infill": {
|
||||
"default_value": 60
|
||||
},
|
||||
"speed_wall": {
|
||||
"default_value": 30
|
||||
},
|
||||
"speed_topbottom": {
|
||||
"default_value": 45
|
||||
},
|
||||
"speed_travel": {
|
||||
"default_value": 125
|
||||
},
|
||||
"speed_layer_0": {
|
||||
"default_value": 30
|
||||
},
|
||||
"support_enable": {
|
||||
"default_value": true
|
||||
},
|
||||
"retraction_enable": {
|
||||
"default_value": true
|
||||
},
|
||||
"retraction_amount": {
|
||||
"default_value": 5
|
||||
},
|
||||
"retraction_speed": {
|
||||
"default_value": 50
|
||||
}
|
||||
}
|
||||
}
|
@ -1,40 +1,49 @@
|
||||
{
|
||||
"name": "Kupido",
|
||||
"version": 2,
|
||||
"name": "KUPIDO",
|
||||
"inherits": "fdmprinter",
|
||||
"metadata": {
|
||||
"metadata":
|
||||
{
|
||||
"visible": true,
|
||||
"author": "Ultimaker",
|
||||
"manufacturer": "Kupido",
|
||||
"author": "ALYA",
|
||||
"manufacturer": "Kati Hal ARGE",
|
||||
"category": "Other",
|
||||
"file_formats": "text/x-gcode",
|
||||
"platform_offset": [ 0, 0, 0],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175", "generic_petg", "generic_petg_175", "generic_pp", "generic_pva", "generic_pva_175", "generic_tough_pla", "generic_tpu", "generic_tpu_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla","tizyx_pla","tizyx_abs","tizyx_pla_bois" ],
|
||||
"preferred_material": "generic_pla",
|
||||
"has_machine_quality": true,
|
||||
"has_materials": true,
|
||||
"has_variants": false,
|
||||
"supports_usb_connection": false,
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
"0": "kupido_extruder_0"
|
||||
"0": "alya3dp_extruder_0"
|
||||
}
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"machine_name": { "default_value": "Kupido" },
|
||||
"machine_start_gcode": {
|
||||
"default_value": " ;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {infill_sparse_density}\n ;M190 S{material_bed_temperature} ;Uncomment to add your own bed temperature line\n ;M109 S{material_print_temperature} ;Uncomment to add your own temperature line\n G21 ;metric values\n G90 ;absolute positioning\n M82 ;set extruder to absolute mode\n M107 ;start with the fan off\n G28 X0 Y0 ;move X Y to endstops\n G28 Z0 ;move Z to endstops\n G1 Z20.0 F40 ;move the platform down 20mm\n G1 Y0 X170 F{speed_travel}\n G92 E0 ;zero the extruded length\n G1 F200 E10 ;extrude 3mm of feed stock\n G92 E0 ;zero the extruded length again\n G4 P7000\n G1 F{speed_travel}\n ;Put printing message on LCD screen\n M117 Printing...\n"
|
||||
"machine_name": { "default_value": "ALYA 3DP" },
|
||||
"machine_heated_bed": { "default_value": true },
|
||||
"machine_width": { "default_value": 195 },
|
||||
"machine_height": { "default_value": 190 },
|
||||
"machine_depth": { "default_value": 195 },
|
||||
"machine_center_is_zero": { "default_value": false },
|
||||
"gantry_height": { "default_value": 55 },
|
||||
"retraction_amount": { "default_value": 1 },
|
||||
"support_enable": { "default_value": true},
|
||||
"machine_head_with_fans_polygon": {
|
||||
"default_value": [[75, 18],[18, 18],[18, 35],[75, 35]]
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": " M104 S0 ;extruder heater off\n M140 S0 ;heated bed heater off (if you have it)\n G91 ;relative positioning\n G1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\n G1 Z+0.5 E-5 X-20 Y-20 F{speed_travel} ;move Z up a bit and retract filament even more\n G28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\n M84 ;steppers off\n G90 ;absolute positioning\n"
|
||||
"adhesion_type": {"options": {"raft": "Raft" ,"none": "None", "brim": "Brim"}, "default_value": "raft"},
|
||||
"machine_gcode_flavor": { "default_value": "RepRap (Marlin/Sprinter)" },
|
||||
"machine_start_gcode":
|
||||
{
|
||||
"default_value": ";Sliced at: {day} {date} {time} \n ;Basic settings: Layer height: {layer_height} Walls: {wall_thickness} Fill: {fill_density} \n ;Print time: {print_time} \n ;Filament used: {filament_amount}m {filament_weight}g \n ;Filament cost: {filament_cost} \n G28 X0 Y0 ;move X Y to endstops \n G28 Z0 ;move Z to endstops \n M190 S{material_bed_temperature} ;bed temp \n M107 ; switch fan off \n M109 S{material_print_temperature} ;extruder temp set \n G1 F3000 \n G1 Z10 \n G92 E0 ;zero the extruded length \n G1 F200 E1 ;extrude 1mm of feed stock \n G92 E0 ;zero the extruded length again \n G4 P7000 ; wait 7000ms \n M117 Printing... ;Put printing message on LCD screen"
|
||||
},
|
||||
"prime_tower_size": { "default_value": 8.660254037844387 },
|
||||
"retraction_speed": { "default_value": 60 },
|
||||
"material_bed_temperature": { "default_value": 60 },
|
||||
"speed_wall_x": { "default_value": 40 },
|
||||
"skirt_line_count": { "default_value": 2 },
|
||||
"retraction_min_travel": { "default_value": 2 },
|
||||
"speed_wall_0": { "default_value": 30 },
|
||||
"material_print_temperature": { "default_value": 220 },
|
||||
"brim_line_count": { "default_value": 15 },
|
||||
"retraction_amount": { "default_value": 3.6 },
|
||||
"speed_topbottom": { "default_value": 20 },
|
||||
"layer_height": { "default_value": 0.2 },
|
||||
"speed_print": { "default_value": 30 },
|
||||
"speed_infill": { "default_value": 30 }
|
||||
"machine_end_gcode":
|
||||
{
|
||||
"default_value": ";End GCode\nM104 S0 ;extruder heater off \nM140 S0 ;heated bed heater off (if you have it)\nG91 ;relative positioning\nG1 E-1 F300 ;retract the filament a bit before lifting the nozzle, to release some of the pressure\nG1 Z+0.5 E-5 X-20 Y-20 F{travel_speed} ;move Z up a bit and retract filament even more\nG28 X0 Y0 ;move X/Y to min endstops, so the head is out of the way\nG28 Z0\nM84 ;steppers off\nG90 ;absolute positioning\n;{profile_string}"
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
@ -67,7 +67,7 @@
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing…\nM1001\n"
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "M107\nM1002\nM104 S0 T1\nM104 S0 T0\nM140 S0\nM117 Print Complete.\nG28 X0 Y0\nG91\nG1 Z10\nG90\nM84"
|
||||
|
@ -67,7 +67,7 @@
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing…\nM1001\n"
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\nT1; left tool\n; set extruder steps per mm\nM92 E140\nT0; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\nT1; left tool\nG92 E0 E1\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "M107\nM1002\nM104 S0 T1\nM104 S0 T0\nM140 S0\nM117 Print Complete.\nG28 X0 Y0\nG91\nG1 Z10\nG90\nM84"
|
||||
|
@ -66,7 +66,7 @@
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing…\nM1001\n"
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "M107\nM1002\nM104 S0 T1\nM104 S0 T0\nM140 S0\nM117 Print Complete.\nG28 X0 Y0\nG91\nG1 Z10\nG90\nM84"
|
||||
|
@ -66,7 +66,7 @@
|
||||
"default_value": "RepRap (Marlin/Sprinter)"
|
||||
},
|
||||
"machine_start_gcode": {
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing…\nM1001\n"
|
||||
"default_value": "G90\nG21\n; home all axes\nG28\nG92 X0 Y0 Z0\n; move heatbed into position\nG1 X20.0 Y20.0 Z1.0 F1000\n; zero extruders\nG92 E0 E1\nT0; right tool\n; set extruder steps per mm\nM92 E140\n; purge nozzle\nG1 E25 F250\n; zero extruders\nG92 E0 E1\n; move heatbed down a little more\nG1 Z5.0 F20\n; wait 600ms\nG4 600\n; move to tack down the strands\nG1 X20.0 Y30.0 Z0 F9000\n; wait 600ms\nG4 600\n;move up a bit\nG1 Z5.0 F9000\n; wait 300ms\nG4 300\n;fast move to center\nG1 X152.5 Y152.5 F9000\nT0\n;Raise3D Job Start\nM117 Printing...\nM1001\n"
|
||||
},
|
||||
"machine_end_gcode": {
|
||||
"default_value": "M107\nM1002\nM104 S0 T1\nM104 S0 T0\nM140 S0\nM117 Print Complete.\nG28 X0 Y0\nG91\nG1 Z10\nG90\nM84"
|
||||
|
@ -16,7 +16,7 @@
|
||||
"preferred_variant_name": "0.4mm",
|
||||
"preferred_material": "tizyx_pla",
|
||||
"preferred_quality_type": "normal",
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175","generic_pp", "generic_pva", "generic_pva_175", "generic_tpu", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla" ],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175","generic_pp", "generic_pva", "generic_pva_175", "generic_tpu", "generic_tpu_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla" ],
|
||||
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
|
57
resources/definitions/tizyx_evy_dual.def.json
Normal file
57
resources/definitions/tizyx_evy_dual.def.json
Normal file
@ -0,0 +1,57 @@
|
||||
{
|
||||
"name": "TiZYX EVY Dual",
|
||||
"version": 2,
|
||||
"inherits": "fdmprinter",
|
||||
"metadata": {
|
||||
"visible": true,
|
||||
"author": "TiZYX",
|
||||
"manufacturer": "TiZYX",
|
||||
"file_formats": "text/x-gcode",
|
||||
|
||||
"has_machine_quality": true,
|
||||
"has_materials": true,
|
||||
"has_machine_materials": true,
|
||||
"has_variants": true,
|
||||
"preferred_variant_name": "Classic Extruder",
|
||||
|
||||
"preferred_material": "tizyx_pla",
|
||||
"preferred_quality_type": "normal",
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_cpe_175", "generic_cpe_plus","generic_hips_175","generic_nylon_175", "generic_pc_175", "generic_pva_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla" ],
|
||||
|
||||
"machine_extruder_trains":
|
||||
{
|
||||
"0": "tizyx_evy_dual_extruder_0",
|
||||
"1": "tizyx_evy_dual_extruder_1"
|
||||
},
|
||||
"platform": "tizyx_k25_platform.stl",
|
||||
"platform_offset": [0, -4, 0],
|
||||
"first_start_actions": ["MachineSettingsAction"],
|
||||
"supported_actions": ["MachineSettingsAction"]
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"machine_extruder_count": { "default_value": 2 },
|
||||
"machine_heated_bed": { "default_value": true },
|
||||
"machine_center_is_zero": { "default_value": false },
|
||||
"gantry_height": { "default_value": 500 },
|
||||
"machine_height": { "default_value": 255 },
|
||||
"machine_depth": { "default_value": 255 },
|
||||
"machine_width": { "default_value": 255 },
|
||||
"machine_head_with_fans_polygon": {
|
||||
"default_value": [
|
||||
[25, 49],
|
||||
[25, -49],
|
||||
[-25, -49],
|
||||
[25, 49]
|
||||
]
|
||||
},
|
||||
"machine_start_gcode":
|
||||
{
|
||||
"default_value": "M82\nG90\nG28 X\nG28 Y\nG28 Z\nG29\nG91\nG1 Z0\nG90\nM82\nG92 E0\nG1 X125 Y245 F3000\nG1 Z0"
|
||||
},
|
||||
"machine_end_gcode":
|
||||
{
|
||||
"default_value": "M104 S0\nM140 S0\nG91\nG1 E-5 F300\nG1 Z+3 F3000\nG1 Y245 F3000\nM84"
|
||||
}
|
||||
}
|
||||
}
|
@ -10,7 +10,7 @@
|
||||
"file_formats": "text/x-gcode",
|
||||
"platform": "tizyx_k25_platform.stl",
|
||||
"platform_offset": [0, -4, 0],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_abs", "generic_abs_175", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175", "generic_petg", "generic_petg_175", "generic_pla", "generic_pla_175", "generic_pp", "generic_pva", "generic_pva_175", "generic_tough_pla", "generic_tpu", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla" ],
|
||||
"exclude_materials": ["chromatik_pla", "dsm_arnitel2045_175", "dsm_novamid1070_175", "fabtotum_abs", "fabtotum_nylon", "fabtotum_pla", "fabtotum_tpu", "fiberlogy_hd_pla", "filo3d_pla", "filo3d_pla_green", "filo3d_pla_red", "generic_abs", "generic_abs_175", "generic_bam", "generic_cpe", "generic_cpe_175", "generic_cpe_plus", "generic_hips", "generic_hips_175", "generic_nylon", "generic_nylon_175", "generic_pc", "generic_pc_175", "generic_petg", "generic_petg_175", "generic_pla", "generic_pla_175", "generic_pp", "generic_pva", "generic_pva_175", "generic_tough_pla", "generic_tpu", "generic_tpu_175", "imade3d_petg_green", "imade3d_petg_pink", "imade3d_pla_green", "imade3d_pla_pink", "innofill_innoflex60_175", "octofiber_pla", "polyflex_pla", "polymax_pla", "polyplus_pla", "polywood_pla", "ultimaker_abs_black", "ultimaker_abs_blue", "ultimaker_abs_green", "ultimaker_abs_grey", "ultimaker_abs_orange", "ultimaker_abs_pearl-gold", "ultimaker_abs_red", "ultimaker_abs_silver-metallic", "ultimaker_abs_white", "ultimaker_abs_yellow", "ultimaker_bam", "ultimaker_cpe_black", "ultimaker_cpe_blue", "ultimaker_cpe_dark-grey", "ultimaker_cpe_green", "ultimaker_cpe_light-grey", "ultimaker_cpe_plus_black", "ultimaker_cpe_plus_transparent", "ultimaker_cpe_plus_white", "ultimaker_cpe_red", "ultimaker_cpe_transparent", "ultimaker_cpe_white", "ultimaker_cpe_yellow", "ultimaker_nylon_black", "ultimaker_nylon_transparent", "ultimaker_pc_black", "ultimaker_pc_transparent", "ultimaker_pc_white", "ultimaker_pla_black", "ultimaker_pla_blue", "ultimaker_pla_green", "ultimaker_pla_magenta", "ultimaker_pla_orange", "ultimaker_pla_pearl-white", "ultimaker_pla_red", "ultimaker_pla_silver-metallic", "ultimaker_pla_transparent", "ultimaker_pla_white", "ultimaker_pla_yellow", "ultimaker_pp_transparent", "ultimaker_pva", "ultimaker_tough_pla_black", "ultimaker_tough_pla_green", "ultimaker_tough_pla_red", "ultimaker_tough_pla_white", "ultimaker_tpu_black", "ultimaker_tpu_blue", "ultimaker_tpu_red", "ultimaker_tpu_white", "verbatim_bvoh_175", "Vertex_Delta_ABS", "Vertex_Delta_PET", "Vertex_Delta_PLA", "Vertex_Delta_TPU", "zyyx_pro_flex", "zyyx_pro_pla" ],
|
||||
"preferred_material": "tizyx_pla",
|
||||
"has_machine_quality": true,
|
||||
"has_materials": true,
|
||||
|
@ -0,0 +1,16 @@
|
||||
{
|
||||
"id": "jgaurora_jgmaker_magic_extruder_0",
|
||||
"version": 2,
|
||||
"name": "Extruder 1",
|
||||
"inherits": "fdmextruder",
|
||||
"metadata": {
|
||||
"machine": "jgaurora_jgmaker_magic",
|
||||
"position": "0"
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"extruder_nr": { "default_value": 0 },
|
||||
"machine_nozzle_size": { "default_value": 0.4 },
|
||||
"material_diameter": { "default_value": 1.75 }
|
||||
}
|
||||
}
|
18
resources/extruders/tizyx_evy_dual_extruder_0.def.JSON
Normal file
18
resources/extruders/tizyx_evy_dual_extruder_0.def.JSON
Normal file
@ -0,0 +1,18 @@
|
||||
{
|
||||
"id": "tizyx_evy_dual_extruder_0",
|
||||
"version": 2,
|
||||
"name": "Classic Extruder",
|
||||
"inherits": "fdmextruder",
|
||||
"metadata": {
|
||||
"machine": "tizyx_evy_dual",
|
||||
"position": "0"
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"extruder_nr": {
|
||||
"default_value": 0,
|
||||
"maximum_value": "1"
|
||||
},
|
||||
"material_diameter": { "default_value": 1.75 }
|
||||
}
|
||||
}
|
18
resources/extruders/tizyx_evy_dual_extruder_1.def.JSON
Normal file
18
resources/extruders/tizyx_evy_dual_extruder_1.def.JSON
Normal file
@ -0,0 +1,18 @@
|
||||
{
|
||||
"id": "tizyx_evy_dual_extruder_1",
|
||||
"version": 2,
|
||||
"name": "Direct Drive",
|
||||
"inherits": "fdmextruder",
|
||||
"metadata": {
|
||||
"machine": "tizyx_evy_dual",
|
||||
"position": "1"
|
||||
},
|
||||
|
||||
"overrides": {
|
||||
"extruder_nr": {
|
||||
"default_value": 1,
|
||||
"maximum_value": "1"
|
||||
},
|
||||
"material_diameter": { "default_value": 1.75 }
|
||||
}
|
||||
}
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: German\n"
|
||||
"Language: de_DE\n"
|
||||
@ -84,7 +84,7 @@ msgstr "G-Code Extruder-Start"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Auszuführenden G-Code beim Umschalten auf diesen Extruder starten."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "G-Code Extruder-Ende"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Auszuführenden G-Code beim Umschalten von diesem Extruder beenden."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:57+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: German\n"
|
||||
"Language: de_DE\n"
|
||||
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \n"
|
||||
"."
|
||||
msgstr "G-Code-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \n"
|
||||
"."
|
||||
msgstr "G-Code-Befehle, die am Ende ausgeführt werden sollen – getrennt durch \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Fügen Sie zusätzliche Wände um den Füllbereich hinzu. Derartige Wände können zu einem verringerten Absacken der oberen/unteren Außenhautlinien beitragen, was bedeutet, dass Sie weniger Außenhautschichten oben/unten bei derselben Qualität von Kosten für zusätzliches Material benötigen.\n"
|
||||
" Diese Funktion ist verknüpfbar mit „Füllungspolygone verbinden“, um alle Füllungen mit einem einzigen Extrusionspfad zu verbinden, ohne dass hierzu Vorwärtsbewegungen oder Rückzüge erforderlich sind, sofern die richtige Konfiguration gewählt wurde."
|
||||
msgstr "Fügen Sie zusätzliche Wände um den Füllbereich hinzu. Derartige Wände können zu einem verringerten Absacken der oberen/unteren Außenhautlinien beitragen, was bedeutet, dass Sie weniger Außenhautschichten oben/unten bei derselben Qualität von Kosten für zusätzliches Material benötigen.\n Diese Funktion ist verknüpfbar mit „Füllungspolygone verbinden“, um alle Füllungen mit einem einzigen Extrusionspfad zu verbinden, ohne dass hierzu Vorwärtsbewegungen oder Rückzüge erforderlich sind, sofern die richtige Konfiguration gewählt wurde."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1677,7 +1671,7 @@ msgstr "Prozentsatz Außenhaut überlappen"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Justieren Sie die Überlappung zwischen den Wänden und den Außenhaut-Mittellinien bzw. den Endpunkten der Außenhaut-Mittellinien als Prozentwert der Linienbreite der Außenhautlinien und der inneren Wand. Eine geringe Überlappung ermöglicht die feste Verbindung der Wände mit der Außenhaut. Beachten Sie, dass bei einer einheitlichen Linienbreite von Außenhaut und Wand jeder Prozentwert über 50 % bereits dazu führen kann, dass die Außenhaut über die Wand hinausgeht, da in diesem Moment die Position der Düse des Außenhaut-Extruders möglicherweise bereits über die Wandmitte hinausgeht."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1681,7 @@ msgstr "Außenhaut überlappen"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Justieren Sie die Überlappung zwischen den Wänden und den Außenhaut-Mittellinien bzw. den Endpunkten der Außenhaut-Mittellinien. Eine geringe Überlappung ermöglicht die feste Verbindung der Wände mit der Außenhaut. Beachten Sie, dass bei einer einheitlichen Linienbreite von Außenhaut und Wand jeder Wert über die Hälfte der Wandbreite bereits dazu führen kann, dass die Außenhaut über die Wand hinausgeht, da in diesem Moment die Position der Düse des Außenhaut-Extruders möglicherweise bereits über die Wandmitte hinausgeht."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2121,7 @@ msgstr "Düsenschalter Einzugsabstand"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Der Wert für den Einzug beim Umstellen der Extruder: 0 einstellen, um keinen Einzug zu erhalten. Dies sollte generell mit der Länge der Heizzone übereinstimmen."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2781,7 @@ msgstr "Combing-Modus"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Durch Combing bleibt die Düse während der Bewegung innerhalb von bereits gedruckten Bereichen. Dies führt zu einer leicht verlängerten Bewegungszeit, reduziert jedoch die Notwendigkeit von Einzügen. Wenn Combing deaktiviert ist, wird das Material eingezogen und die Düse bewegt sich in einer geraden Linie zum nächsten Punkt. Es ist außerdem möglich, das Combing über die oberen/unteren Außenhautbereiche zu vermeiden, oder nur Combing innerhalb der Füllung auszuführen."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3436,12 @@ msgstr "Die Höhe der Stützstruktur-Füllung einer bestimmten Dichte vor dem Um
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Mindestbereich Stützstruktur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Mindestflächenbreite für Stützstruktur-Polygone. Polygone, die eine kleinere Fläche als diesen Wert aufweisen, werden nicht generiert."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3671,62 @@ msgstr "Zickzack"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Mindestbereich Stützstruktur-Schnittstelle"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Mindestflächenbreite für Stützstruktur-Schnittstellen-Polygone. Polygone, die eine kleinere Fläche als diesen Wert aufweisen, werden nicht generiert."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Mindestbereich Stützstrukturdach"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Mindestflächenbreite für die Dächer der Stützstruktur. Polygone, die eine kleinere Fläche als diesen Wert aufweisen, werden nicht generiert."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Mindestbereich Stützstrukturboden"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Mindestflächenbreite für die Böden der Stützstruktur. Polygone, die eine kleinere Fläche als diesen Wert aufweisen, werden nicht generiert."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Horizontale Erweiterung Stützstruktur-Schnittstelle"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Umfang des angewandten Versatzes für die Stützstruktur-Schnittstellen-Polygone."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Horizontale Erweiterung Stützstrukturdach"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Umfang des angewandten Versatzes für die Dächer der Stützstruktur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Horizontale Erweiterung Stützstrukturboden"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Umfang des angewandten Versatzes für die Böden der Stützstruktur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3904,9 +3898,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"Der horizontale Abstand zwischen dem Skirt und der ersten Schicht des Drucks.\n"
|
||||
"Es handelt sich dabei um den Mindestabstand. Ab diesem Abstand werden mehrere Skirt-Linien in äußerer Richtung angebracht."
|
||||
msgstr "Der horizontale Abstand zwischen dem Skirt und der ersten Schicht des Drucks.\nEs handelt sich dabei um den Mindestabstand. Ab diesem Abstand werden mehrere Skirt-Linien in äußerer Richtung angebracht."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5353,9 +5345,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Die Strecke einer Aufwärtsbewegung, die mit halber Geschwindigkeit extrudiert wird.\n"
|
||||
"Dies kann zu einer besseren Haftung an vorhergehenden Schichten führen, während gleichzeitig ein Überhitzen des Materials in diesen Schichten vermieden wird. Dies gilt nur für das Drucken mit Drahtstruktur."
|
||||
msgstr "Die Strecke einer Aufwärtsbewegung, die mit halber Geschwindigkeit extrudiert wird.\nDies kann zu einer besseren Haftung an vorhergehenden Schichten führen, während gleichzeitig ein Überhitzen des Materials in diesen Schichten vermieden wird. Dies gilt nur für das Drucken mit Drahtstruktur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5909,6 +5899,7 @@ msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angew
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Gcode-Befehle, die zu Beginn ausgeführt werden sollen – getrennt durch \n"
|
||||
#~ "."
|
||||
|
||||
@ -5921,6 +5912,7 @@ msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angew
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Gcode-Befehle, die Am Ende ausgeführt werden sollen – getrennt durch \n"
|
||||
#~ "."
|
||||
|
||||
@ -5977,6 +5969,7 @@ msgstr "Transformationsmatrix, die beim Laden aus der Datei auf das Modell angew
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Der horizontale Abstand zwischen dem Skirt und der ersten Schicht des Drucks.\n"
|
||||
#~ "Es handelt sich dabei um den Mindestabstand. Ab diesem Abstand werden Skirt-Linien in äußerer Richtung angebracht."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Spanish\n"
|
||||
"Language: es_ES\n"
|
||||
@ -84,7 +84,7 @@ msgstr "GCode inicial del extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Iniciar GCode para ejecutarlo al cambiar a este extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "GCode final del extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Finalizar GCode para ejecutarlo al cambiar desde este extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:56+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Spanish\n"
|
||||
"Language: es_ES\n"
|
||||
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Los comandos de GCode que se ejecutarán justo al inicio separados por - \n"
|
||||
"."
|
||||
msgstr "Los comandos de GCode que se ejecutarán justo al inicio separados por - \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Los comandos de GCode que se ejecutarán justo al final separados por -\n"
|
||||
"."
|
||||
msgstr "Los comandos de GCode que se ejecutarán justo al final separados por -\n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Agregar paredes adicionales alrededor del área de relleno. Estas paredes pueden hacer que las líneas del forro superior/inferior se aflojen menos, lo que significa que necesitaría menos capas de forro superior/inferior para obtener la misma calidad utilizando algo más de material.\n"
|
||||
"Puede utilizar esta función junto a la de Conectar polígonos de relleno para conectar todo el relleno en una única trayectoria de extrusión sin necesidad de desplazamientos ni retracciones si se configura correctamente."
|
||||
msgstr "Agregar paredes adicionales alrededor del área de relleno. Estas paredes pueden hacer que las líneas del forro superior/inferior se aflojen menos, lo que significa que necesitaría menos capas de forro superior/inferior para obtener la misma calidad utilizando algo más de material.\nPuede utilizar esta función junto a la de Conectar polígonos de relleno para conectar todo el relleno en una única trayectoria de extrusión sin necesidad de desplazamientos ni retracciones si se configura correctamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1677,7 +1671,7 @@ msgstr "Porcentaje de superposición del forro"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuste la cantidad de superposición entre las paredes y (los extremos de) las líneas centrales del forro, como un porcentaje de los anchos de las líneas del forro y la pared más profunda. Una ligera superposición permite que las paredes estén firmemente unidas al forro. Tenga en cuenta que, con un mismo ancho de la línea del forro y la pared, cualquier porcentaje superior al 50 % ya puede provocar que cualquier forro sobrepase la pared, debido a que en ese punto la posición de la tobera del extrusor del forro ya puede sobrepasar la mitad de la pared."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1681,7 @@ msgstr "Superposición del forro"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuste la cantidad de superposición entre las paredes y (los extremos de) las líneas centrales del forro. Una ligera superposición permite que las paredes estén firmemente unidas al forro. Tenga en cuenta que, con un mismo ancho de la línea del forro y la pared, cualquier valor superior a la mitad del ancho de la pared ya puede provocar que cualquier forro sobrepase la pared, debido a que en ese punto la posición de la tobera del extrusor del forro ya puede sobrepasar la mitad de la pared."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2121,7 @@ msgstr "Distancia de retracción del cambio de tobera"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Distancia de la retracción al cambiar los extrusores. Utilice el valor 0 para que no haya retracción. Por norma general, este valor debe ser igual a la longitud de la zona de calentamiento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2781,7 @@ msgstr "Modo Peinada"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "La opción de peinada mantiene la tobera dentro de las áreas ya impresas al desplazarse. Esto ocasiona movimientos de desplazamiento ligeramente más largos, pero reduce la necesidad de realizar retracciones. Si se desactiva la opción de peinada, el material se retraerá y la tobera se moverá en línea recta hasta el siguiente punto. Otra posibilidad es evitar la peinada en áreas de forro superiores/inferiores o peinar solo en el relleno."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3436,12 @@ msgstr "Altura del relleno de soporte de una determinada densidad antes de cambi
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Área del soporte mínima"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamaño del área mínima para los polígonos del soporte. No se generarán polígonos que posean un área de menor tamaño que este valor."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3671,62 @@ msgstr "Zigzag"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Área de la interfaz de soporte mínima"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamaño del área mínima para los polígonos de la interfaz de soporte. No se generarán polígonos que posean un área de menor tamaño que este valor."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Área de los techos del soporte mínima"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamaño del área mínima para los techos del soporte. No se generarán polígonos que posean un área de menor tamaño que este valor."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Área de los suelos del soporte mínima"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamaño del área mínima para los suelos del soporte. No se generarán polígonos que posean un área de menor tamaño que este valor."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansión horizontal de la interfaz de soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Cantidad de desplazamiento aplicado a los polígonos de la interfaz de soporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansión horizontal de los techos del soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Cantidad de desplazamiento aplicado a los techos del soporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansión horizontal de los suelos de soporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Cantidad de desplazamiento aplicado a los suelos del soporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3904,9 +3898,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"La distancia horizontal entre la falda y la primera capa de la impresión.\n"
|
||||
"Se trata de la distancia mínima. Múltiples líneas de falda se extenderán hacia el exterior a partir de esta distancia."
|
||||
msgstr "La distancia horizontal entre la falda y la primera capa de la impresión.\nSe trata de la distancia mínima. Múltiples líneas de falda se extenderán hacia el exterior a partir de esta distancia."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5353,9 +5345,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Distancia de un movimiento ascendente que se extrude a media velocidad.\n"
|
||||
"Esto puede causar una mejor adherencia a las capas anteriores, aunque no calienta demasiado el material en esas capas. Solo se aplica a la impresión de alambre."
|
||||
msgstr "Distancia de un movimiento ascendente que se extrude a media velocidad.\nEsto puede causar una mejor adherencia a las capas anteriores, aunque no calienta demasiado el material en esas capas. Solo se aplica a la impresión de alambre."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5909,6 +5899,7 @@ msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue de
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Los comandos de Gcode que se ejecutarán justo al inicio - separados por \n"
|
||||
#~ "."
|
||||
|
||||
@ -5921,6 +5912,7 @@ msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue de
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Los comandos de Gcode que se ejecutarán justo al final - separados por \n"
|
||||
#~ "."
|
||||
|
||||
@ -5977,6 +5969,7 @@ msgstr "Matriz de transformación que se aplicará al modelo cuando se cargue de
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "La distancia horizontal entre la falda y la primera capa de la impresión.\n"
|
||||
#~ "Esta es la distancia mínima; múltiples líneas de falda se extenderán hacia el exterior a partir de esta distancia."
|
||||
|
||||
|
@ -5061,7 +5061,7 @@ msgstr ""
|
||||
|
||||
#~ msgctxt "@label:textbox"
|
||||
#~ msgid "Search..."
|
||||
#~ msgstr "Haku…"
|
||||
#~ msgstr "Haku..."
|
||||
|
||||
#~ msgctxt "@label:listbox"
|
||||
#~ msgid "Print Setup"
|
||||
@ -5517,7 +5517,7 @@ msgstr ""
|
||||
|
||||
#~ msgctxt "@title:menu menubar:file"
|
||||
#~ msgid "Save &As..."
|
||||
#~ msgstr "Tallenna &nimellä…"
|
||||
#~ msgstr "Tallenna &nimellä..."
|
||||
|
||||
#~ msgctxt "description"
|
||||
#~ msgid "Accepts G-Code and sends them over WiFi to a Doodle3D WiFi-Box."
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: French\n"
|
||||
"Language: fr_FR\n"
|
||||
@ -84,7 +84,7 @@ msgstr "Extrudeuse G-Code de démarrage"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Démarrer le G-Code à exécuter lors du passage à cette extrudeuse."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "Extrudeuse G-Code de fin"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Fin du G-Code à exécuter lors de l'abandon de l'extrudeuse."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 15:00+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: French\n"
|
||||
"Language: fr_FR\n"
|
||||
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Commandes G-Code à exécuter au tout début, séparées par \n"
|
||||
"."
|
||||
msgstr "Commandes G-Code à exécuter au tout début, séparées par \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Commandes G-Code à exécuter tout à la fin, séparées par \n"
|
||||
"."
|
||||
msgstr "Commandes G-Code à exécuter tout à la fin, séparées par \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Ajoutez des parois supplémentaires autour de la zone de remplissage. De telles parois peuvent réduire l'affaissement des lignes de couche extérieure supérieure / inférieure, réduisant le nombre de couches extérieures supérieures / inférieures nécessaires pour obtenir la même qualité, au prix d'un peu de matériau supplémentaire.\n"
|
||||
"Configurée correctement, cette fonctionnalité peut être combinée avec « Relier les polygones de remplissage » pour relier tous les remplissages en un seul mouvement d'extrusion sans avoir besoin de déplacements ou de rétractions."
|
||||
msgstr "Ajoutez des parois supplémentaires autour de la zone de remplissage. De telles parois peuvent réduire l'affaissement des lignes de couche extérieure supérieure / inférieure, réduisant le nombre de couches extérieures supérieures / inférieures nécessaires pour obtenir la même qualité, au prix d'un peu de matériau supplémentaire.\nConfigurée correctement, cette fonctionnalité peut être combinée avec « Relier les polygones de remplissage » pour relier tous les remplissages en un seul mouvement d'extrusion sans avoir besoin de déplacements ou de rétractions."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1677,7 +1671,7 @@ msgstr "Pourcentage de chevauchement de la couche extérieure"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuster le degré de chevauchement entre les parois et les (extrémités des) lignes centrales de la couche extérieure, en pourcentage de la largeur des lignes de la couche extérieure et de la paroi intérieure. Un chevauchement léger permet de relier fermement les parois à la couche extérieure. Notez que, si la largeur de la couche extérieure est égale à celle de la ligne de la paroi, un pourcentage supérieur à 50 % peut déjà faire dépasser la couche extérieure de la paroi, car dans ce cas la position de la buse de l'extrudeuse peut déjà atteindre le milieu de la paroi."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1681,7 @@ msgstr "Chevauchement de la couche extérieure"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuster le degré de chevauchement entre les parois et les (extrémités des) lignes centrales de la couche extérieure. Un chevauchement léger permet de relier fermement les parois à la couche extérieure. Notez que, si la largeur de la couche extérieure est égale à celle de la ligne de la paroi, une valeur supérieure à la moitié de la largeur de la paroi peut déjà faire dépasser la couche extérieure de la paroi, car dans ce cas la position de la buse de l'extrudeuse peut déjà atteindre le milieu de la paroi."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2121,7 @@ msgstr "Distance de rétraction de changement de buse"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Degré de rétraction lors de la commutation d'extrudeuses. Une valeur de 0 signifie qu'il n'y aura aucune rétraction. En général, cette valeur doit être équivalente à la longueur de la zone de chauffe."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2781,7 @@ msgstr "Mode de détours"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Les détours maintiennent la buse dans les zones déjà imprimées lors des déplacements. Cela résulte en des déplacements légèrement plus longs mais réduit le recours aux rétractions. Si les détours sont désactivés, le matériau se rétractera et la buse se déplacera en ligne droite jusqu'au point suivant. Il est également possible d'éviter les détours sur les zones de la couche du dessus / dessous ou d'effectuer les détours uniquement dans le remplissage."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3436,12 @@ msgstr "La hauteur de remplissage de support d'une densité donnée avant de pas
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Surface minimale de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Taille minimale de la surface des polygones de support : les polygones dont la surface est inférieure à cette valeur ne seront pas générés."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3671,62 @@ msgstr "Zig Zag"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Surface minimale de l'interface de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Taille minimale de la surface des polygones d'interface de support : les polygones dont la surface est inférieure à cette valeur ne seront pas générés."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Surface minimale du plafond de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Taille minimale de la surface des plafonds du support : les polygones dont la surface est inférieure à cette valeur ne seront pas générés."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Surface minimale du bas de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Taille minimale de la surface des bas du support : les polygones dont la surface est inférieure à cette valeur ne seront pas générés."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansion horizontale de l'interface de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Quantité de décalage appliquée aux polygones de l'interface de support."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansion horizontale du plafond de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantité de décalage appliqué aux plafonds du support."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansion horizontale du bas de support"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantité de décalage appliqué aux bas du support."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3904,9 +3898,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"La distance horizontale entre la jupe et la première couche de l’impression.\n"
|
||||
"Il s’agit de la distance minimale séparant la jupe de l’objet. Si la jupe a d’autres lignes, celles-ci s’étendront vers l’extérieur."
|
||||
msgstr "La distance horizontale entre la jupe et la première couche de l’impression.\nIl s’agit de la distance minimale séparant la jupe de l’objet. Si la jupe a d’autres lignes, celles-ci s’étendront vers l’extérieur."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5353,9 +5345,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Distance d’un déplacement ascendant qui est extrudé à mi-vitesse.\n"
|
||||
"Cela peut permettre une meilleure adhérence aux couches précédentes sans surchauffer le matériau dans ces couches. Uniquement applicable à l'impression filaire."
|
||||
msgstr "Distance d’un déplacement ascendant qui est extrudé à mi-vitesse.\nCela peut permettre une meilleure adhérence aux couches précédentes sans surchauffer le matériau dans ces couches. Uniquement applicable à l'impression filaire."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5909,6 +5899,7 @@ msgstr "Matrice de transformation à appliquer au modèle lors de son chargement
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Commandes Gcode à exécuter au tout début, séparées par \n"
|
||||
#~ "."
|
||||
|
||||
@ -5921,6 +5912,7 @@ msgstr "Matrice de transformation à appliquer au modèle lors de son chargement
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Commandes Gcode à exécuter à la toute fin, séparées par \n"
|
||||
#~ "."
|
||||
|
||||
@ -5977,6 +5969,7 @@ msgstr "Matrice de transformation à appliquer au modèle lors de son chargement
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "La distance horizontale entre le contour et la première couche de l’impression.\n"
|
||||
#~ "Il s’agit de la distance minimale séparant le contour de l’objet. Si le contour a d’autres lignes, celles-ci s’étendront vers l’extérieur."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Italian\n"
|
||||
"Language: it_IT\n"
|
||||
@ -84,7 +84,7 @@ msgstr "Codice G avvio estrusore"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Inizio codice G da eseguire quando si passa a questo estrusore."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "Codice G fine estrusore"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Fine codice G da eseguire quando si passa a questo estrusore."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 15:02+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Italian\n"
|
||||
"Language: it_IT\n"
|
||||
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"I comandi codice G da eseguire all’avvio, separati da \n"
|
||||
"."
|
||||
msgstr "I comandi codice G da eseguire all’avvio, separati da \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"I comandi codice G da eseguire alla fine, separati da \n"
|
||||
"."
|
||||
msgstr "I comandi codice G da eseguire alla fine, separati da \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Aggiunge pareti supplementari intorno alla zona di riempimento. Queste pareti possono ridurre l’abbassamento delle linee del rivestimento esterno superiore/inferiore, pertanto saranno necessari meno strati di rivestimento esterno superiore/inferiore per ottenere la stessa qualità al costo del materiale supplementare.\n"
|
||||
"Questa funzione può essere abbinata a Collega poligoni riempimento per collegare tutto il riempimento in un unico percorso di estrusione senza necessità di avanzamenti o arretramenti, se configurata correttamente."
|
||||
msgstr "Aggiunge pareti supplementari intorno alla zona di riempimento. Queste pareti possono ridurre l’abbassamento delle linee del rivestimento esterno superiore/inferiore, pertanto saranno necessari meno strati di rivestimento esterno superiore/inferiore per ottenere la stessa qualità al costo del materiale supplementare.\nQuesta funzione può essere abbinata a Collega poligoni riempimento per collegare tutto il riempimento in un unico percorso di estrusione senza necessità di avanzamenti o arretramenti, se configurata correttamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1677,7 +1671,7 @@ msgstr "Percentuale di sovrapposizione del rivestimento esterno"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Regolare l’entità della sovrapposizione tra le pareti e (i punti finali delle) linee centrali del rivestimento esterno espressa in percentuale delle larghezze delle linee del rivestimento esterno. Una leggera sovrapposizione consente alle pareti di essere saldamente collegate al rivestimento. Si noti che, data una larghezza uguale del rivestimento esterno e della linea perimetrale, qualsiasi percentuale superiore al 50% può già causare il superamento della parete da parte del rivestimento esterno in quanto, in quel punto, la posizione dell’ugello dell’estrusore del rivestimento esterno può già avere superato la parte centrale della parete."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1681,7 @@ msgstr "Sovrapposizione del rivestimento esterno"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Regolare l’entità della sovrapposizione tra le pareti e (i punti finali delle) linee centrali del rivestimento esterno. Una leggera sovrapposizione consente alle pareti di essere saldamente collegate al rivestimento. Si noti che, data una larghezza uguale del rivestimento esterno e della linea perimetrale, qualsiasi percentuale superiore alla metà della parete può già causare il superamento della parete da parte del rivestimento esterno in quanto, in quel punto, la posizione dell’ugello dell’estrusore del rivestimento esterno può già aver superato la parte centrale della parete."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2121,7 @@ msgstr "Distanza di retrazione cambio ugello"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Indica il valore di retrazione alla commutazione degli estrusori. Impostato a 0 per nessuna retrazione. Questo valore generalmente dovrebbe essere lo stesso della lunghezza della zona di riscaldamento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2781,7 @@ msgstr "Modalità Combing"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "La funzione Combing tiene l’ugello all’interno delle aree già stampate durante lo spostamento. In tal modo le corse di spostamento sono leggermente più lunghe ma si riduce l’esigenza di effettuare retrazioni. Se questa funzione viene disabilitata, il materiale viene retratto e l’ugello si sposta in linea retta al punto successivo. È anche possibile evitare il combing sopra le aree del rivestimento esterno superiore/inferiore o effettuare il combing solo nel riempimento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3436,12 @@ msgstr "Indica l’altezza di riempimento del supporto di una data densità prim
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Area minima supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Dimensioni minime area per i poligoni del supporto. I poligoni con un’area inferiore a questo valore non verranno generati."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3671,62 @@ msgstr "Zig Zag"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Area minima interfaccia supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Dimensioni minime area per i poligoni di interfaccia del supporto. I poligoni con un’area inferiore a questo valore non verranno generati."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Area minima parti superiori supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Dimensioni minime area per le parti superiori del supporto. I poligoni con un’area inferiore a questo valore non verranno generati."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Area minima parti inferiori supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Dimensioni minime area per le parti inferiori del supporto. I poligoni con un’area inferiore a questo valore non verranno generati."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Espansione orizzontale interfaccia supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Entità di offset applicato ai poligoni di interfaccia del supporto."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Espansione orizzontale parti superiori supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Entità di offset applicato alle parti superiori del supporto."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Espansione orizzontale parti inferiori supporto"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Entità di offset applicato alle parti inferiori del supporto."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3904,9 +3898,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"Indica la distanza orizzontale tra lo skirt ed il primo strato della stampa.\n"
|
||||
"Questa è la distanza minima. Più linee di skirt aumenteranno tale distanza."
|
||||
msgstr "Indica la distanza orizzontale tra lo skirt ed il primo strato della stampa.\nQuesta è la distanza minima. Più linee di skirt aumenteranno tale distanza."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5353,9 +5345,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Indica la distanza di uno spostamento verso l'alto con estrusione a velocità dimezzata.\n"
|
||||
"Ciò può garantire una migliore adesione agli strati precedenti, senza eccessivo riscaldamento del materiale su questi strati. Applicabile solo alla funzione Wire Printing."
|
||||
msgstr "Indica la distanza di uno spostamento verso l'alto con estrusione a velocità dimezzata.\nCiò può garantire una migliore adesione agli strati precedenti, senza eccessivo riscaldamento del materiale su questi strati. Applicabile solo alla funzione Wire Printing."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5909,6 +5899,7 @@ msgstr "Matrice di rotazione da applicare al modello quando caricato dal file."
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "I comandi del Gcode da eseguire all’avvio, separati da \n"
|
||||
#~ "."
|
||||
|
||||
@ -5921,6 +5912,7 @@ msgstr "Matrice di rotazione da applicare al modello quando caricato dal file."
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "I comandi del Gcode da eseguire alla fine, separati da \n"
|
||||
#~ "."
|
||||
|
||||
@ -5977,6 +5969,7 @@ msgstr "Matrice di rotazione da applicare al modello quando caricato dal file."
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Indica la distanza orizzontale tra lo skirt ed il primo strato della stampa.\n"
|
||||
#~ "Questa è la distanza minima, più linee di skirt aumenteranno tale distanza."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 15:24+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Japanese\n"
|
||||
"Language: ja_JP\n"
|
||||
@ -85,7 +85,7 @@ msgstr "エクストルーダーがG-Codeを開始する"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "このエクストルーダーに切り替えた時に G-Code の開始を実行します。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -125,7 +125,7 @@ msgstr "エクストルーダーがG-Codeを終了する"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "このエクストルーダーから切り替えた時に G-Code の終了を実行します。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 15:27+0200\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Japanese\n"
|
||||
"Language: ja_JP\n"
|
||||
@ -61,9 +61,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"最初に実行するG-codeコマンドは、\n"
|
||||
"で区切ります。"
|
||||
msgstr "最初に実行するG-codeコマンドは、\nで区切ります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -75,9 +73,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"最後に実行するG-codeコマンドは、\n"
|
||||
"で区切ります。"
|
||||
msgstr "最後に実行するG-codeコマンドは、\nで区切ります。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1326,9 +1322,7 @@ msgstr "ZシームX"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "z_seam_x description"
|
||||
msgid "The X coordinate of the position near where to start printing each part in a layer."
|
||||
msgstr ""
|
||||
"レイヤー内の各印刷を開始するX座\n"
|
||||
"標の位置。"
|
||||
msgstr "レイヤー内の各印刷を開始するX座\n標の位置。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "z_seam_y label"
|
||||
@ -1711,9 +1705,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"インフィルエリア周辺に外壁を追加します。このような壁は、上層/底層ラインにたるみを作ります。つまり、一部の外壁材料の費用で同じ品質を実現するためには、必要な上層/底層スキンが少ないことを意味します。\n"
|
||||
"この機能は、インフィルポリゴン接合と組み合わせて、構成が正しい場合、移動または引き戻しが必要なく、すべてのインフィルを1つの押出経路に接続することができます。"
|
||||
msgstr "インフィルエリア周辺に外壁を追加します。このような壁は、上層/底層ラインにたるみを作ります。つまり、一部の外壁材料の費用で同じ品質を実現するためには、必要な上層/底層スキンが少ないことを意味します。\nこの機能は、インフィルポリゴン接合と組み合わせて、構成が正しい場合、移動または引き戻しが必要なく、すべてのインフィルを1つの押出経路に接続することができます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1754,7 +1746,7 @@ msgstr "表面公差量"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "壁とスキンの中央ライン(のエンドポイント)が交差する量(スキンラインのライン幅と壁の最内部に対する割合)を調整します。わずかな交差によって、壁がスキンにしっかりつながります。スキンと壁のライン幅が同じで、割合が50%を超えると、スキンが壁を通過している可能性があります。これは、その時点で、スキン押出機のノズルの位置が、すでに壁の真ん中を過ぎている可能性があるためです。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1764,7 +1756,7 @@ msgstr "表面公差"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "壁とスキンの中央ライン(のエンドポイント)が交差する量を調整します。わずかな交差によって、壁がスキンにしっかりつながります。スキンと壁のライン幅が同じで、壁の幅が半分以上の値になると、スキンが壁を通過している可能性があります。これは、その時点で、スキン押出機のノズルの位置が、すでに壁の真ん中を過ぎている可能性があるためです。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -1815,9 +1807,7 @@ msgstr "インフィル優先"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_before_walls description"
|
||||
msgid "Print the infill before printing the walls. Printing the walls first may lead to more accurate walls, but overhangs print worse. Printing the infill first leads to sturdier walls, but the infill pattern might sometimes show through the surface."
|
||||
msgstr ""
|
||||
"壁より前にインフィルをプリントします はじめに壁をプリントするとより精密な壁になりますが、オーバーハングのプリントは悪化します\n"
|
||||
"はじめにインフィルをプリントすると丈夫な壁になりますが、インフィルの模様が時折表面から透けて表れます。"
|
||||
msgstr "壁より前にインフィルをプリントします はじめに壁をプリントするとより精密な壁になりますが、オーバーハングのプリントは悪化します\nはじめにインフィルをプリントすると丈夫な壁になりますが、インフィルの模様が時折表面から透けて表れます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area label"
|
||||
@ -2212,7 +2202,7 @@ msgstr "ノズルスイッチ引き戻し距離"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "エクストルーダー切り替え時の引き込み量。引き込みを行わない場合は0に設定します。これは通常、ヒートゾーンの長さと同じに設定します。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2881,7 +2871,7 @@ msgstr "コーミングモード"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "コーミングは、走行時にすでに印刷された領域内にノズルを保ちます。その結果、移動距離はわずかに長くなりますが、引き込みの必要性は減ります。コーミングがオフの場合、フィラメントの引き戻しを行い、ノズルは次のポイントまで直線移動します。また、インフィルのみにてコーミングすることにより、トップとボトムのスキン領域上での櫛通りを回避できます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3547,12 +3537,12 @@ msgstr "密度が半分に切り替える前の所定のサポートのインフ
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "最小サポート領域"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "ポリゴンをサポートする最小領域サイズ。この領域よりポリゴンが小さい場合は生成されません。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3799,62 +3789,62 @@ msgstr "ジグザグ"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "最小サポートインターフェイス領域"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "インターフェイスポリゴンをサポートする最小領域サイズ。この領域よりポリゴンが小さい場合は生成されません。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "最小サポートルーフ領域"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "サポートのルーフに対する最小領域サイズ。この領域よりポリゴンが小さい場合は生成されません。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "最小サポートフロア領域"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "サポートのフロアに対する最小領域サイズ。この領域よりポリゴンが小さい場合は生成されません。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "サポートインターフェイス水平展開"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "サポートインターフェイスポリゴンに適用されるオフセット量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "サポートルーフ水平展開"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "サポートのルーフに適用されるオフセット量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "サポートフロア水平展開"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "サポートのフロアに適用されるオフセット量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -4033,9 +4023,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"スカートと印刷の最初の層の間の水平距離。\n"
|
||||
"これは最小距離です。複数のスカートラインがこの距離から外側に展開されます。"
|
||||
msgstr "スカートと印刷の最初の層の間の水平距離。\nこれは最小距離です。複数のスカートラインがこの距離から外側に展開されます。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -6067,6 +6055,7 @@ msgstr "ファイルから読み込むときに、モデルに適用するトラ
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Gcodeのコマンドは −で始まり\n"
|
||||
#~ "で区切られます。"
|
||||
|
||||
@ -6080,6 +6069,7 @@ msgstr "ファイルから読み込むときに、モデルに適用するトラ
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Gcodeのコマンドは −で始まり\n"
|
||||
#~ "で区切られます。"
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,8 +8,8 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"Last-Translator: Jinbuhm Kim <Jinbuhm.Kim@gmail.com>\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"
|
||||
"Language: ko_KR\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
@ -86,7 +86,7 @@ msgstr "익스트루더 스타트 G 코드"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "이 익스트루더로 전환 시 실행할 G 코드를 시작하십시오."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -126,7 +126,7 @@ msgstr "익스트루더 엔드 G 코드"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "이 익스트루더에서 전환 시 실행할 G 코드를 종료하십시오."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,8 +8,8 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:10+0100\n"
|
||||
"Last-Translator: Jinbuhm Kim <Jinbuhm.Kim@gmail.com>\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"
|
||||
"Language: ko_KR\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"시작과 동시에형실행될 G 코드 명령어 \n"
|
||||
"."
|
||||
msgstr "시작과 동시에형실행될 G 코드 명령어 \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"맨 마지막에 실행될 G 코드 명령 \n"
|
||||
"."
|
||||
msgstr "맨 마지막에 실행될 G 코드 명령 \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1636,9 +1632,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"내부채움 영역 주변에 여분의 벽을 추가합니다. 이러한 벽은 상단/하단 스킨 라인이 늘어지는 것을 줄여줄 수 있습니다. 일부 여분 재료를 사용해도 같은 품질을 유지하는 데 필요한 필요한 상단/하단 스킨 층이 감소한다는 의미입니다.\n"
|
||||
"이 기능을 올바르게 구성하는 경우 내부채움 다각형 연결과 함께 사용해 이동 또는 리트랙션없이 모든 내부채움을 단일 돌출 경로에 연결할 수 있습니다."
|
||||
msgstr "내부채움 영역 주변에 여분의 벽을 추가합니다. 이러한 벽은 상단/하단 스킨 라인이 늘어지는 것을 줄여줄 수 있습니다. 일부 여분 재료를 사용해도 같은 품질을 유지하는 데 필요한 필요한 상단/하단 스킨 층이 감소한다는 의미입니다.\n이 기능을 올바르게 구성하는 경우 내부채움 다각형 연결과 함께 사용해 이동 또는 리트랙션없이 모든 내부채움을 단일 돌출 경로에 연결할 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1678,7 +1672,7 @@ msgstr "스킨 겹침 비율"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "벽과 스킨-센터라인(종점) 사이의 겹침 양을 스킨 라인과 가장 안쪽 벽의 라인 폭 비율로 조정하십시오. 약간의 겹침으로 벽이 스킨에 확실하게 연결될 수 있습니다. 동일한 스킨 및 벽 라인-폭을 고려할 때 비율이 50%가 넘는다면, 그 지점에서 스킨-익스트루더의 노즐 위치가 이미 벽 중앙을 지나 도달할 수 있기 때문에 이미 스킨이 벽을 지나치고 있을 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1688,7 +1682,7 @@ msgstr "스킨 겹침"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "벽과 스킨-센터라인(종점) 사이의 겹침 양을 조정하십시오. 약간의 겹침으로 벽이 스킨에 확실하게 연결될 수 있습니다. 동일한 스킨 및 벽 라인-폭을 고려할 때 값이 벽 폭의 절반을 넘는다면, 그 지점에서 스킨-익스트루더의 노즐 위치가 이미 벽 중앙을 지나 도달할 수 있기 때문에 이미 스킨이 벽을 지나치고 있을 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2128,7 +2122,7 @@ msgstr "노즐 스위치 리트렉션 거리"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "익스트루더 전환 시 리트렉션 양. 리트렉션이 전혀 없는 경우 0으로 설정하십시오. 이는 일반적으로 열 영역의 길이와 같아야 합니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2788,7 +2782,7 @@ msgstr "Combing 모드"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Combing은 이동할 때 이미 인쇄 된 영역 내에 노즐을 유지합니다. 이로 인해 이동이 약간 더 길어 지지만 리트렉션의 필요성은 줄어듭니다. Combing이 꺼져 있으면 재료가 후퇴하고 노즐이 직선으로 다음 점으로 이동합니다. 또한 상단/하단 스킨 영역을 Combing하거나 내부채움 내에서만 빗질하는 것을 피할 수 있습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3443,12 +3437,12 @@ msgstr "밀도의 절반으로 전환하기 전에 주어진 밀도의 서포트
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "최소 서포트 지역"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "서포트 영역에 대한 최소 지역 크기. 이 값보다 작은 지역을 갖는 영역은 생성되지 않습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3678,62 +3672,62 @@ msgstr "지그재그"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "최소 서포트 인터페이스 지역"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "지원 인터페이스 영역에 대한 최소 지역 크기. 이 값보다 작은 지역을 갖는 영역은 생성되지 않습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "최소 서포트 지붕 지역"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "서포트 지붕에 대한 최소 지역 크기. 이 값보다 작은 지역을 갖는 영역은 생성되지 않습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "최소 서포트 바닥 지역"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "서포트 바닥에 대한 최소 지역 크기. 이 값보다 작은 지역을 갖는 영역은 생성되지 않습니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "서포트 인터페이스 수평 확장"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "서포트 인터페이스 영역에 적용되는 오프셋 양."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "서포트 지붕 수평 확장"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "서포트 지붕에 적용되는 오프셋 양."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "서포트 바닥 수평 확장"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "서포트 바닥에 적용되는 오프셋 양."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3905,9 +3899,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"프린트의 스커트와 첫 번째 레이어 사이의 수평 거리입니다.\n"
|
||||
"이것은 최소 거리입니다. 여러 개의 스커트 선이 이 거리에서 바깥쪽으로 연장됩니다."
|
||||
msgstr "프린트의 스커트와 첫 번째 레이어 사이의 수평 거리입니다.\n이것은 최소 거리입니다. 여러 개의 스커트 선이 이 거리에서 바깥쪽으로 연장됩니다."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5908,6 +5900,7 @@ msgstr "파일로부터 로드 하는 경유, 모델에 적용될 변환 행렬
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "시작과 동시에 실행될 G 코드 명령어 \n"
|
||||
#~ "."
|
||||
|
||||
@ -5920,6 +5913,7 @@ msgstr "파일로부터 로드 하는 경유, 모델에 적용될 변환 행렬
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "맨 마지막에 실행될 G 코드 명령 \n"
|
||||
#~ "."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Dutch\n"
|
||||
"Language: nl_NL\n"
|
||||
@ -84,7 +84,7 @@ msgstr "Start-G-code van Extruder"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Start-g-code die wordt uitgevoerd wanneer naar deze extruder wordt gewisseld."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "Eind-G-code van Extruder"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Eind-g-code die wordt uitgevoerd wanneer naar een andere extruder wordt gewisseld."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:03+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Dutch\n"
|
||||
"Language: nl_NL\n"
|
||||
@ -57,9 +57,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"G-code-opdrachten die aan het begin worden uitgevoerd, gescheiden door \n"
|
||||
"."
|
||||
msgstr "G-code-opdrachten die aan het begin worden uitgevoerd, gescheiden door \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -71,9 +69,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"G-code-opdrachten die aan het eind worden uitgevoerd, gescheiden door \n"
|
||||
"."
|
||||
msgstr "G-code-opdrachten die aan het eind worden uitgevoerd, gescheiden door \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1635,9 +1631,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Voeg extra wanden toe rondom de vulling. Deze wanden kunnen ervoor zorgen dat de skin aan de boven-/onderkant minder doorzakt. Dit betekent dat u met alleen wat extra materiaal voor dezelfde kwaliteit minder skinlagen aan de boven-/onderkant nodig hebt.\n"
|
||||
"Deze optie kan in combinatie met de optie 'Polygonen voor de vulling verbinden' worden gebruikt om alle vulling in één doorvoerpad te verbinden zonder extra bewegingen of intrekkingen, mits correct ingesteld."
|
||||
msgstr "Voeg extra wanden toe rondom de vulling. Deze wanden kunnen ervoor zorgen dat de skin aan de boven-/onderkant minder doorzakt. Dit betekent dat u met alleen wat extra materiaal voor dezelfde kwaliteit minder skinlagen aan de boven-/onderkant nodig hebt.\nDeze optie kan in combinatie met de optie 'Polygonen voor de vulling verbinden' worden gebruikt om alle vulling in één doorvoerpad te verbinden zonder extra bewegingen of intrekkingen, mits correct ingesteld."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1677,7 +1671,7 @@ msgstr "Overlappercentage Skin"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Pas de mate van overlap tussen de wanden en (de eindpunten van) de skin-middellijnen aan, als percentage van de lijnbreedtes van de skin-lijnen en de binnenste wand. Met een lichte overlap kunnen de wanden goed hechten aan de skin. Houd er rekening mee dat met een gelijke lijnbreedte voor skin en wand, skin buiten de wand kan treden bij een percentage hoger dan 50%, omdat de nozzle van de skin-extruder op deze positie al voorbij het midden van de wand kan zijn."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1681,7 @@ msgstr "Overlap Skin"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Pas de mate van overlap tussen de wanden en (de eindpunten van) de skin-middellijnen aan. Met een lichte overlap kunnen de wanden goed hechten aan de skin. Houd er rekening mee dat met een gelijke lijnbreedte voor skin en wand, skin buiten de wand kan treden bij een waarde groter dan de halve wandbreedte, omdat de nozzle van de skin-extruder op deze positie het midden van de wand al kan hebben bereikt."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2121,7 @@ msgstr "Intrekafstand bij Wisselen Nozzles"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "De intrekafstand wanneer de extruders worden gewisseld. Als u deze optie instelt op 0, wordt er niet ingetrokken. Deze waarde dient doorgaans gelijk te zijn aan de lengte van de verwarmingszone."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2781,7 @@ msgstr "Combing-modus"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Met combing blijft de nozzle tijdens bewegingen binnen eerder geprinte delen. Hierdoor zijn de bewegingen iets langer, maar hoeft het filament minder vaak te worden ingetrokken. Als combing is uitgeschakeld, wordt het materiaal ingetrokken en beweegt de nozzle in een rechte lijn naar het volgende punt. Het is ook mogelijk om combing over boven-/onderskingedeelten te voorkomen of combing alleen binnen de vulling te gebruiken."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3436,12 @@ msgstr "De hoogte van de supportvulling van een bepaalde dichtheid voordat de di
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied supportstructuur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied voor steunpolygonen. Polygonen met een gebied dat kleiner is dan deze waarde, worden niet gegenereerd."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3671,62 @@ msgstr "Zigzag"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied verbindingsstructuur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied voor verbindingspolygonen. Polygonen met een gebied dat kleiner is dan deze waarde, worden niet gegenereerd."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied supportdak"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied voor de supportdaken. Polygonen met een gebied dat kleiner is dan deze waarde, worden niet gegenereerd."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied supportvloer"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimumgebied voor de supportvloeren. Polygonen met een gebied dat kleiner is dan deze waarde, worden niet gegenereerd."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Supportstructuur horizontale uitbreiding"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "De mate van offset die wordt toegepast op de verbindingspolygonen."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Supportdak horizontale uitbreiding"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "De mate van offset die wordt toegepast op de supportdaken."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Supportvloer horizontale uitbreiding"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "De mate van offset die wordt toegepast op de supportvloeren."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3904,9 +3898,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"De horizontale afstand tussen de skirt en de eerste laag van de print.\n"
|
||||
"Dit is de minimumafstand. Als u meerdere skirtlijnen print, worden deze vanaf deze afstand naar buiten geprint."
|
||||
msgstr "De horizontale afstand tussen de skirt en de eerste laag van de print.\nDit is de minimumafstand. Als u meerdere skirtlijnen print, worden deze vanaf deze afstand naar buiten geprint."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5353,9 +5345,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"De afstand van een opwaartse beweging waarbij de doorvoersnelheid wordt gehalveerd.\n"
|
||||
"Hierdoor ontstaat een betere hechting aan voorgaande lagen, zonder dat het materiaal in die lagen te zeer wordt verwarmd. Alleen van toepassing op Draadprinten."
|
||||
msgstr "De afstand van een opwaartse beweging waarbij de doorvoersnelheid wordt gehalveerd.\nHierdoor ontstaat een betere hechting aan voorgaande lagen, zonder dat het materiaal in die lagen te zeer wordt verwarmd. Alleen van toepassing op Draadprinten."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5973,6 +5963,7 @@ msgstr "Omzettingsmatrix die moet worden toegepast op het model wanneer dit word
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "De horizontale afstand tussen de skirt en de eerste laag van de print.\n"
|
||||
#~ "Dit is de minimumafstand; als u meerdere skirtlijnen print, worden deze vanaf deze afstand naar buiten geprint."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,15 +8,15 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-03-30 20:33+0200\n"
|
||||
"Last-Translator: 'Jaguś' Paweł Jagusiak and Andrzej 'anraf1001' Rafalski\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"
|
||||
"Language: pl_PL\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -86,7 +86,7 @@ msgstr "Początkowy G-code Ekstrudera"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Początkowy G-code do wykonania przy przełączeniu na ten ekstruder."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -126,7 +126,7 @@ msgstr "Końcowy G-code Ekstrudera"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Końcowy G-code do wykonania przy przełączeniu na ten ekstruder."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
@ -171,12 +171,12 @@ msgstr "Współrzędna Z, w której dysza jest czyszczona na początku wydruku."
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number label"
|
||||
msgid "Extruder Print Cooling Fan"
|
||||
msgstr ""
|
||||
msgstr "Wentylator ekstrudera"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_cooling_fan_number description"
|
||||
msgid "The number of the print cooling fan associated with this extruder. Only change this from the default value of 0 when you have a different print cooling fan for each extruder."
|
||||
msgstr ""
|
||||
msgstr "Numer wentylatora przypisanego do ekstrudera. Zmień z domyślnej wartości 0, tylko w przypadku, kiedy posiadasz oddzielny wentylator dla każdego ekstrudera."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "platform_adhesion label"
|
||||
|
@ -8,8 +8,8 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-21 21:52+0200\n"
|
||||
"Last-Translator: 'Jaguś' Paweł Jagusiak, Andrzej 'anraf1001' Rafalski and Jakub 'drzejkopf' Świeciński\n"
|
||||
"PO-Revision-Date: 2019-03-14 14:44+0100\n"
|
||||
"Last-Translator: Mariusz 'Virgin71' Matłosz <matliks@gmail.com>\n"
|
||||
"Language-Team: reprapy.pl\n"
|
||||
"Language: pl_PL\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
@ -248,7 +248,7 @@ msgstr "Liczba zespołów ekstruderów, które są dostępne; automatycznie usta
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_nozzle_tip_outer_diameter label"
|
||||
msgid "Outer nozzle diameter"
|
||||
msgstr "Zewn. średnica dyszy"
|
||||
msgstr "Zew. średnica dyszy"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_nozzle_tip_outer_diameter description"
|
||||
@ -763,7 +763,7 @@ msgstr "Szerokość jednej linii ściany."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_line_width_0 label"
|
||||
msgid "Outer Wall Line Width"
|
||||
msgstr "Szerokość Linii Ściany Zewn."
|
||||
msgstr "Szerokość Linii Ścian(y) Zewnętrznych"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_line_width_0 description"
|
||||
@ -773,7 +773,7 @@ msgstr "Szerokość zewnętrznej linii ściany. Przez obniżenie tej wartości w
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_line_width_x label"
|
||||
msgid "Inner Wall(s) Line Width"
|
||||
msgstr "Szerokość Linii Ściany Wewn."
|
||||
msgstr "Szerokość Linii Ścian(y) Wewnętnych"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_line_width_x description"
|
||||
@ -793,7 +793,7 @@ msgstr "Szerokość pojedynczej górnej/dolnej linii."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_line_width label"
|
||||
msgid "Infill Line Width"
|
||||
msgstr "Szerokość Linii Wypełn."
|
||||
msgstr "Szerokość Linii Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_line_width description"
|
||||
@ -853,7 +853,7 @@ msgstr "Szerokość pojedynczej linii podłoża podpory."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_line_width label"
|
||||
msgid "Prime Tower Line Width"
|
||||
msgstr "Szerokość Linii Wieży Czyszcz."
|
||||
msgstr "Szerokość Linii Wieży Czyszczczenia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_line_width description"
|
||||
@ -893,7 +893,7 @@ msgstr "Ekstruder używany do drukowania ścian. Używane w multi-esktruzji."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_extruder_nr label"
|
||||
msgid "Outer Wall Extruder"
|
||||
msgstr "Esktruder Zewn. Ściany"
|
||||
msgstr "Esktruder Zew. Ściany"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_extruder_nr description"
|
||||
@ -903,7 +903,7 @@ msgstr "Esktruder używany do drukowania zewn. ściany. Używane w multi-ekstruz
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_x_extruder_nr label"
|
||||
msgid "Inner Wall Extruder"
|
||||
msgstr "Ekstruder Wewn. Linii"
|
||||
msgstr "Ekstruder Wew. Linii"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_x_extruder_nr description"
|
||||
@ -933,7 +933,7 @@ msgstr "Liczba ścian. Przy obliczaniu za pomocą grubości ściany, ta wartoś
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_wipe_dist label"
|
||||
msgid "Outer Wall Wipe Distance"
|
||||
msgstr "Długość Czyszczenia Zewn. Ściana"
|
||||
msgstr "Długość Czyszczenia Zew. Ściana"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_wipe_dist description"
|
||||
@ -1078,7 +1078,7 @@ msgstr "Połącz Górne/Dolne Wieloboki"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "connect_skin_polygons description"
|
||||
msgid "Connect top/bottom skin paths where they run next to each other. For the concentric pattern enabling this setting greatly reduces the travel time, but because the connections can happen midway over infill this feature can reduce the top surface quality."
|
||||
msgstr ""
|
||||
msgstr "Połącz górne/dolne ścieżki, które przebiegają koło siebie. Włączenie tej opcji powoduje ograniczenie czasu ruchów jałowych dla wzorca koncentrycznego, ale ze względu na możliwość pojawienia się połączeń w połowie ścieżki wypełnienia, opcja ta może obniżyć jakość górnego wykończenia."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles label"
|
||||
@ -1093,7 +1093,7 @@ msgstr "Lista całkowitych kierunków linii używana kiedy górne/dolne warstwy
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_inset label"
|
||||
msgid "Outer Wall Inset"
|
||||
msgstr "Wkład Zewn. Ściany"
|
||||
msgstr "Wkład Zew. Ściany"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_inset description"
|
||||
@ -1113,7 +1113,7 @@ msgstr "Optymalizuje kolejność, w jakiej będą drukowane ścianki w celu zred
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "outer_inset_first label"
|
||||
msgid "Outer Before Inner Walls"
|
||||
msgstr "Zewn. Ściany przed Wewn."
|
||||
msgstr "Zew. Ściany Przed Wew"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "outer_inset_first description"
|
||||
@ -1143,7 +1143,7 @@ msgstr "Kompensuje przepływ dla części, których ściana jest drukowana kiedy
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_compensate_overlapping_walls_0_enabled label"
|
||||
msgid "Compensate Outer Wall Overlaps"
|
||||
msgstr "Komp. Zewn. Nakład. się Ścian"
|
||||
msgstr "Komp. Zew. Nakład. się Ścian"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_compensate_overlapping_walls_0_enabled description"
|
||||
@ -1153,7 +1153,7 @@ msgstr "Kompensuje przepływ dla części, których zewnętrzna ściana jest dru
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_compensate_overlapping_walls_x_enabled label"
|
||||
msgid "Compensate Inner Wall Overlaps"
|
||||
msgstr "Komp. Wewn. Nakład. się Ścian"
|
||||
msgstr "Komp. Wew. Nakład. się Ścian"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_compensate_overlapping_walls_x_enabled description"
|
||||
@ -1463,7 +1463,7 @@ msgstr "Wypełnienie"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_extruder_nr label"
|
||||
msgid "Infill Extruder"
|
||||
msgstr "Ekstruder Wypełn."
|
||||
msgstr "Ekstruder Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_extruder_nr description"
|
||||
@ -1473,7 +1473,7 @@ msgstr "Ekstruder używany do drukowania wypełnienia. Używane w multi-ekstruzj
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_sparse_density label"
|
||||
msgid "Infill Density"
|
||||
msgstr "Gęstość Wypełn."
|
||||
msgstr "Gęstość Wypełnnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_sparse_density description"
|
||||
@ -1483,7 +1483,7 @@ msgstr "Dostosowuje gęstość wypełnienia wydruku."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_line_distance label"
|
||||
msgid "Infill Line Distance"
|
||||
msgstr "Odstęp Linii Wypełn."
|
||||
msgstr "Odstęp Linii Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_line_distance description"
|
||||
@ -1493,12 +1493,12 @@ msgstr "Odległość między drukowanymi liniami wypełnienia. To ustawienie jes
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern label"
|
||||
msgid "Infill Pattern"
|
||||
msgstr "Wzór Wypełn."
|
||||
msgstr "Wzorzec Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern description"
|
||||
msgid "The pattern of the infill material of the print. The line and zig zag infill swap direction on alternate layers, reducing material cost. The grid, triangle, tri-hexagon, cubic, octet, quarter cubic, cross and concentric patterns are fully printed every layer. Gyroid, cubic, quarter cubic and octet infill change with every layer to provide a more equal distribution of strength over each direction."
|
||||
msgstr ""
|
||||
msgstr "Wzorzec wypełnienia wydruku. Kierunek zamiany linii i zygzaka na alternatywnych warstwach, zmniejsza koszty materiałów. Wzorzec siatki, trójkąta, sześcianu, oktetu, ćwiartki sześciennej, krzyżyka i koncentryczny, są w pełni drukowane na każdej warstwie. Gyroid, sześcian, świartka sześcienna i oktet zmienia się z każdą warstwą, aby zapewnić bardziej równomierny rozkład sił w każdym kierunku."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option grid"
|
||||
@ -1563,7 +1563,7 @@ msgstr "Krzyż 3D"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_pattern option gyroid"
|
||||
msgid "Gyroid"
|
||||
msgstr ""
|
||||
msgstr "Gyroid"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "zig_zaggify_infill label"
|
||||
@ -1588,7 +1588,7 @@ msgstr "Łączy ścieżki wypełnienia, gdy są one prowadzone obok siebie. Dla
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_angles label"
|
||||
msgid "Infill Line Directions"
|
||||
msgstr "Kierunek Linii Wypełn."
|
||||
msgstr "Kierunek Linii Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_angles description"
|
||||
@ -1652,7 +1652,7 @@ msgstr "Dodatek do promienia od środka każdej kostki, aby sprawdzić granicę
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_overlap label"
|
||||
msgid "Infill Overlap Percentage"
|
||||
msgstr "Procent Nałożenia Wypełn."
|
||||
msgstr "Procent Zachodzenia Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_overlap description"
|
||||
@ -1662,7 +1662,7 @@ msgstr "Ilość nałożenia pomiędzy wypełnieniem i ścianami w procentach sze
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_overlap_mm label"
|
||||
msgid "Infill Overlap"
|
||||
msgstr "Nałożenie Wypełn."
|
||||
msgstr "Zachodzenie Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_overlap_mm description"
|
||||
@ -1677,7 +1677,7 @@ msgstr "Procent Nakładania się Skóry"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Dostosuj zachodzenie pomiędzy ścianami, a (punktami końcowymi) linią obrysu, jako procent szerokości linii obrysu i najbardziej wewnętrznej ściany. Niewielkie zachodzenie na siebie pozwala ścianom połączyć się mocno z obrysem. Zauważ, że przy równej szerokości obrysu i szerokości ściany, każdy procent powyżej 50% może spowodować przekroczenie ściany przez obrys, ponieważ pozycja dyszy ekstrudera obrysu może sięgać poza środek ściany."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,12 +1687,12 @@ msgstr "Nakładanie się Skóry"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Dostosuj zachodzenie pomiędzy ścianami, a (punktami końcowymi) linią obrysu. Niewielkie zachodzenie na siebie pozwala ścianom połączyć się mocno z obrysem. Zauważ, że przy równej szerokości obrysu i szerokości ściany, każdy procent powyżej 50% może spowodować przekroczenie ściany przez obrys, ponieważ pozycja dyszy ekstrudera obrysu może sięgać poza środek ściany."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
msgid "Infill Wipe Distance"
|
||||
msgstr "Dług. Czyszczenia Wypełn."
|
||||
msgstr "Długość Czyszczenia Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist description"
|
||||
@ -1702,7 +1702,7 @@ msgstr "Odległość ruchu jałowego pomiędzy każdą linią wypełnienia, aby
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_sparse_thickness label"
|
||||
msgid "Infill Layer Thickness"
|
||||
msgstr "Grubość Warstwy Wypełn."
|
||||
msgstr "Grubość Warstwy Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_sparse_thickness description"
|
||||
@ -1712,7 +1712,7 @@ msgstr "Grubość na warstwe materiału wypełniającego. Ta wartość powinna z
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_infill_steps label"
|
||||
msgid "Gradual Infill Steps"
|
||||
msgstr "Stopnie Stopniowego Wypełn."
|
||||
msgstr "Stopniowe Kroki Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_infill_steps description"
|
||||
@ -1722,7 +1722,7 @@ msgstr "Liczba redukcji wypełnienia o połowę podczas drukowania poniżej gór
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_infill_step_height label"
|
||||
msgid "Gradual Infill Step Height"
|
||||
msgstr "Wys. Stopnia Stopniowego Wypełn."
|
||||
msgstr "Wysokość Kroku Stopniowego Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "gradual_infill_step_height description"
|
||||
@ -1742,7 +1742,7 @@ msgstr "Wydrukuj wypełnienie przed wydrukowaniem ścian. Drukowanie ścian jako
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area label"
|
||||
msgid "Minimum Infill Area"
|
||||
msgstr "Min. Obszar Wypełn."
|
||||
msgstr "Min. Obszar Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area description"
|
||||
@ -2127,7 +2127,7 @@ msgstr "Długość Retrakcji przy Zmianie Dyszy"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Wielkość retrakcji przy przełączaniu ekstruderów. Ustaw na 0, aby wyłączyć retrakcję. Powinno być ustawione tak samo jak długość strefy grzania."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2182,7 +2182,7 @@ msgstr "Prędkość druku."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_infill label"
|
||||
msgid "Infill Speed"
|
||||
msgstr "Prędkość Wypełn."
|
||||
msgstr "Prędkość Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_infill description"
|
||||
@ -2202,7 +2202,7 @@ msgstr "Prędkość drukowania ścian."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_wall_0 label"
|
||||
msgid "Outer Wall Speed"
|
||||
msgstr "Prędkość Zewn. Ściany"
|
||||
msgstr "Prędkość Zew. Ściany"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_wall_0 description"
|
||||
@ -2212,7 +2212,7 @@ msgstr "Szybkość, z jaką drukowane są ściany zewnętrzne. Drukując zewnęt
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_wall_x label"
|
||||
msgid "Inner Wall Speed"
|
||||
msgstr "Prędkość Wewn. Ściany"
|
||||
msgstr "Prędkość Wew. Ściany"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_wall_x description"
|
||||
@ -2292,7 +2292,7 @@ msgstr "Prędkość, z jaką drukowane jest podłoże podpory. Drukowanie z niż
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_prime_tower label"
|
||||
msgid "Prime Tower Speed"
|
||||
msgstr "Prędkość Wieży Czyszcz."
|
||||
msgstr "Prędkość Wieży Czyszczenia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "speed_prime_tower description"
|
||||
@ -2432,7 +2432,7 @@ msgstr "Przyspieszenie, z jakim drukowane są ściany."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "acceleration_wall_0 label"
|
||||
msgid "Outer Wall Acceleration"
|
||||
msgstr "Przyspieszenie Ściany Zewn."
|
||||
msgstr "Przyspieszenie Ściany Zew"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "acceleration_wall_0 description"
|
||||
@ -2442,7 +2442,7 @@ msgstr "Przyspieszenia, z jakim drukowane są ściany zewn."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "acceleration_wall_x label"
|
||||
msgid "Inner Wall Acceleration"
|
||||
msgstr "Przyspieszenie Ściany Wewn."
|
||||
msgstr "Przyspieszenie Ściany Wew"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "acceleration_wall_x description"
|
||||
@ -2622,7 +2622,7 @@ msgstr "Maksymalna zmiana prędkości chwilowej z jaką drukowane są ściany."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "jerk_wall_0 label"
|
||||
msgid "Outer Wall Jerk"
|
||||
msgstr "Zryw Zewn. Ścian"
|
||||
msgstr "Zryw Zew. Ścian"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "jerk_wall_0 description"
|
||||
@ -2632,7 +2632,7 @@ msgstr "Maksymalna zmiana prędkości chwilowej z jaką drukowane są zewnętrzn
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "jerk_wall_x label"
|
||||
msgid "Inner Wall Jerk"
|
||||
msgstr "Zryw Wewn. Ścian"
|
||||
msgstr "Zryw Wew. Ścian"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "jerk_wall_x description"
|
||||
@ -2787,7 +2787,7 @@ msgstr "Tryb Kombinowania"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Combing utrzymuje dyszę w obszarach wydruku podczas poruszania. Powoduje to nieco dłuższe ruchy, ale zmniejsza potrzebę retrakcji. Jeśli Combing jest wyłączone, następuje retrakcja, a dysza przesuwa się w linii prostej do następnego punktu. Możliwe jest wyłączenie opcji górnych / dolnych obszarach obrysu lub utrzymanie dyszy w obrębie wypełnienia."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -2822,7 +2822,7 @@ msgstr "Przy wartości niezerowej, kombinowane ruchy jałowe o dystansie większ
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_retract_before_outer_wall label"
|
||||
msgid "Retract Before Outer Wall"
|
||||
msgstr "Cofnij Przed Zewn. Ścianą"
|
||||
msgstr "Cofnij Przed Zew. Ścianą"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "travel_retract_before_outer_wall description"
|
||||
@ -3272,32 +3272,32 @@ msgstr "Orientacja wzoru wypełnienia dla podpór. Wzór podpory jest obracany w
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable label"
|
||||
msgid "Enable Support Brim"
|
||||
msgstr ""
|
||||
msgstr "Włącz Obrys Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_enable description"
|
||||
msgid "Generate a brim within the support infill regions of the first layer. This brim is printed underneath the support, not around it. Enabling this setting increases the adhesion of support to the build plate."
|
||||
msgstr ""
|
||||
msgstr "Generuj obrys w obszarach wypełnienia podpory pierwszej warstwy. Obrys jest drukowany pod podporą, a nie wokół. Włączenie tej opcji zwiększa przyczepność podpór do stołu."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width label"
|
||||
msgid "Support Brim Width"
|
||||
msgstr ""
|
||||
msgstr "Szerokość Obrysu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_width description"
|
||||
msgid "The width of the brim to print underneath the support. A larger brim enhances adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Szerokość obrysu, który ma być wydrukowany pod podporami. Szerszy obrys to większa przyczepność do stołu, kosztem zużytego materiału."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count label"
|
||||
msgid "Support Brim Line Count"
|
||||
msgstr ""
|
||||
msgstr "Ilość Linii Obrysu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_brim_line_count description"
|
||||
msgid "The number of lines used for the support brim. More brim lines enhance adhesion to the build plate, at the cost of some extra material."
|
||||
msgstr ""
|
||||
msgstr "Liczba linii używanych do obrysu podpór. Większa ilość linii obrysu to większa przyczepność do stołu, kosztem zużytego materiału."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_z_distance label"
|
||||
@ -3442,12 +3442,12 @@ msgstr "Wysokość wypełnienia podpory o danej gęstości przed przełączeniem
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Minimalna Powierzchnia Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimalny rozmiar powierzchni dla podpór. Obszary, które mają mniejszą powierzchnię od tej wartości, nie będą generowane."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3677,62 @@ msgstr "Zygzak"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Minimalna Powierzchnia Interfejsu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimalny rozmiar obszaru dla interfejsu podpór. Obszary, które mają powierzchnię mniejszą od tej wartości, nie będą generowane."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Minimalna Powierzchnia Dachu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimalny rozmiar obszaru dla dachu podpór. Obszary, które mają powierzchnię mniejszą od tej wartości, nie będą generowane."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Minimalna Powierzchnia Podłoża Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Minimalny rozmiar obszaru dla podłoża podpór. Obszary, które mają powierzchnię mniejszą od tej wartości, nie będą generowane."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Rozrost Poziomy Interfejsu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Wartość przesunięcia zastosowana do obszaru interfejsu podpór."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Rozrost Poziomy Dachu Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Wartość przesunięcia zastosowana do obszaru dachu podpór."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Rozrost Poziomy Podłoża Podpór"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Wartość przesunięcia zastosowana do obszaru podłoża podpór."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3742,7 +3742,7 @@ msgstr "Nadpisanie Prędkości Wentylatora"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable description"
|
||||
msgid "When enabled, the print cooling fan speed is altered for the skin regions immediately above the support."
|
||||
msgstr "Gdy załączone, prędkość wentylatora chłodzącego wydruk jest zmieniana dla obszarów leżących bezpośrednio ponad podporami,"
|
||||
msgstr "Gdy włączone, prędkość wentylatora chłodzącego wydruk jest zmieniana dla obszarów leżących bezpośrednio ponad podporami."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_supported_skin_fan_speed label"
|
||||
@ -3817,7 +3817,7 @@ msgstr "Przyczepność"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_blob_enable label"
|
||||
msgid "Enable Prime Blob"
|
||||
msgstr "Włącz Czyszcz. \"Blob\""
|
||||
msgstr "Włącz Czyszczenie \"Blob”ów"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_blob_enable description"
|
||||
@ -3847,7 +3847,7 @@ msgstr "Współrzędna Y, w której dysza jest czyszczona na początku wydruku."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adhesion_type label"
|
||||
msgid "Build Plate Adhesion Type"
|
||||
msgstr "Typ Ulepszenia Przyczepności"
|
||||
msgstr "Typ Zwiększenia Przyczepności"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adhesion_type description"
|
||||
@ -3877,7 +3877,7 @@ msgstr "Brak"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adhesion_extruder_nr label"
|
||||
msgid "Build Plate Adhesion Extruder"
|
||||
msgstr "Ekstruder Drukujący Ułatw. Przyczep."
|
||||
msgstr "Ekstruder Adhezji Pola Roboczego"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "adhesion_extruder_nr description"
|
||||
@ -3941,17 +3941,17 @@ msgstr "Liczba linii używana dla obrysu. Więcej linii obrysu poprawia przyczep
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support label"
|
||||
msgid "Brim Replaces Support"
|
||||
msgstr ""
|
||||
msgstr "Podpory Zastąp Obrysem"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_replaces_support description"
|
||||
msgid "Enforce brim to be printed around the model even if that space would otherwise be occupied by support. This replaces some regions of the first layer of support by brim regions."
|
||||
msgstr ""
|
||||
msgstr "Wymuś drukowanie obrysu wokół modelu, nawet jeśli powierzchnia byłaby zajęta przez podpory. Zastępuje obszary podpór przez obrys. Dotyczy pierwszej warstwy."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only label"
|
||||
msgid "Brim Only on Outside"
|
||||
msgstr "Obrys Tylko na Zewn."
|
||||
msgstr "Obrys Tylko na Zew"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "brim_outside_only description"
|
||||
@ -3976,7 +3976,7 @@ msgstr "Wygładzanie Tratwy"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_smoothing description"
|
||||
msgid "This setting controls how much inner corners in the raft outline are rounded. Inward corners are rounded to a semi circle with a radius equal to the value given here. This setting also removes holes in the raft outline which are smaller than such a circle."
|
||||
msgstr "To ustawienie kontroluje jak bardzo wewn. narożniki w zewn. krawędzi tratwy mają być zaokrąglone. Wewn. narożniki są zaokrąglane do półokręgów o promieniu równym wartości podanej tutaj. To ustawienie usuwa także otwory w zewn. krawędzi tratwy, które są mniejsze niż taki okrąg."
|
||||
msgstr "To ustawienie kontroluje jak bardzo wewn. narożniki w zewn. krawędzi tratwy mają być zaokrąglone. Wew. narożniki są zaokrąglane do półokręgów o promieniu równym wartości podanej tutaj. To ustawienie usuwa także otwory w zewn. krawędzi tratwy, które są mniejsze niż taki okrąg."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "raft_airgap label"
|
||||
@ -4271,7 +4271,7 @@ msgstr "Ustawienia używane do drukowania wieloma głowicami."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_enable label"
|
||||
msgid "Enable Prime Tower"
|
||||
msgstr "Włącz Wieżę Czyszcz."
|
||||
msgstr "Włącz Wieżę Czyszczącą"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_enable description"
|
||||
@ -4291,7 +4291,7 @@ msgstr "Twórz wieżę czyszczącą o okrągłym kształcie."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_size label"
|
||||
msgid "Prime Tower Size"
|
||||
msgstr "Rozmiar Wieży Czyszcz."
|
||||
msgstr "Rozmiar Wieży Czyszczącej"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_size description"
|
||||
@ -4301,7 +4301,7 @@ msgstr "Szerokość wieży czyszczącej."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_min_volume label"
|
||||
msgid "Prime Tower Minimum Volume"
|
||||
msgstr "Min. Objętość Wieży Czyszcz."
|
||||
msgstr "Min. Objętość Wieży Czyszczącej"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_min_volume description"
|
||||
@ -4331,7 +4331,7 @@ msgstr "Współrzędna Y położenia wieży czyszczącej."
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_flow label"
|
||||
msgid "Prime Tower Flow"
|
||||
msgstr "Przepływ Wieży Czyszcz."
|
||||
msgstr "Przepływ Wieży Czyszczącej"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_flow description"
|
||||
@ -4341,7 +4341,7 @@ msgstr "Kompensacja przepływu: ilość ekstrudowanego materiału jest mnożona
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_wipe_enabled label"
|
||||
msgid "Wipe Inactive Nozzle on Prime Tower"
|
||||
msgstr "Wytrzyj Nieuż. Dyszą o Wieże Czyszcz."
|
||||
msgstr "Wytrzyj Nieużywaną Dyszę o Wieżę Czyszczącą"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "prime_tower_wipe_enabled description"
|
||||
@ -4421,7 +4421,7 @@ msgstr "Szerokie szwy próbują zszywać otwarte otwory w siatce przez zamknięc
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "meshfix_keep_open_polygons label"
|
||||
msgid "Keep Disconnected Faces"
|
||||
msgstr "Zachowaj Rozłączone Pow."
|
||||
msgstr "Zachowaj Rozłączone Powierzchnie"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "meshfix_keep_open_polygons description"
|
||||
@ -4501,7 +4501,7 @@ msgstr "Jeden na raz"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_mesh label"
|
||||
msgid "Infill Mesh"
|
||||
msgstr "Siatka Wypełn."
|
||||
msgstr "Siatka Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_mesh description"
|
||||
@ -4511,7 +4511,7 @@ msgstr "Użyj tej siatki, aby zmodyfikować wypełnienie innych siatek, z który
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_mesh_order label"
|
||||
msgid "Infill Mesh Order"
|
||||
msgstr "Porządek Siatki Wypełn."
|
||||
msgstr "Porządek Siatki Wypełnienia"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_mesh_order description"
|
||||
@ -4616,7 +4616,7 @@ msgstr "Oba"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "magic_spiralize label"
|
||||
msgid "Spiralize Outer Contour"
|
||||
msgstr "Spiralizuj Zewn. Kontur"
|
||||
msgstr "Spiralizuj Zew. Kontur"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "magic_spiralize description"
|
||||
@ -5445,7 +5445,7 @@ msgstr "Długość końcówki wewnętrznej linii, która jest rozciągana podcza
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_roof_outer_delay label"
|
||||
msgid "WP Roof Outer Delay"
|
||||
msgstr "DD Opóźnienie Zewn. Dachu"
|
||||
msgstr "DD Opóźnienie Zew. Dachu"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_roof_outer_delay description"
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 04:00-0300\n"
|
||||
"PO-Revision-Date: 2019-03-18 11:27+0100\n"
|
||||
"Last-Translator: Cláudio Sampaio <patola@makerlinux.com.br>\n"
|
||||
"Language-Team: Cláudio Sampaio <patola@makerlinux.com.br>\n"
|
||||
"Language: pt_BR\n"
|
||||
@ -16,6 +16,7 @@ msgstr ""
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -85,7 +86,7 @@ msgstr "G-Code Inicial do Extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "G-Code inicial a executar quando mudar para este extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -125,7 +126,7 @@ msgstr "G-Code Final do Extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "G-Code final a executar quando mudar deste extrusor para outro."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-10-06 04:30-0300\n"
|
||||
"PO-Revision-Date: 2019-03-18 11:27+0100\n"
|
||||
"Last-Translator: Cláudio Sampaio <patola@makerlinux.com.br>\n"
|
||||
"Language-Team: Cláudio Sampaio <patola@makerlinux.com.br>\n"
|
||||
"Language: pt_BR\n"
|
||||
@ -16,7 +16,7 @@ msgstr ""
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"Plural-Forms: nplurals=2; plural=(n > 1);\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -1678,7 +1678,7 @@ msgstr "Porcentagem de Sobreposição do Contorno"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajusta a quantidade de sobreposição entre as paredes e (os extremos de) linhas centrais do contorno, como uma porcentagem das larguras de filete de contorno e a parede mais interna. Uma sobreposição leve permite que as paredes se conectem firmemente ao contorno. Note que, dadas uma largura de contorno e filete de parede iguais, qualquer porcentagem acima de 50% pode fazer com que algum contorno ultrapasse a parede, pois a este ponto a posição do bico do extrusor de contorno pode já ter passado do meio da parede."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1688,7 +1688,7 @@ msgstr "Sobreposição do Contorno"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajusta a quantidade de sobreposição entre as paredes e (os extermos de) linhas centrais do contorno. Uma sobreposição pequena permite que as paredes se conectem firmemente ao contorno. Note que, dados uma largura de contorno e filete de parede iguais, qualquer valor maior que metade da largura da parede pode fazer com que o contorno ultrapasse a parede, pois a este ponto a posição do bico do extrusor de contorno pode já ter passado do meio da parede."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2128,7 +2128,7 @@ msgstr "Distância de Retração da Troca de Bico"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "A quantidade de retração ao mudar extrusores. Coloque em 0 para não haver retração. Isto deve geralmente ser o mesmo que o comprimento da zona de aquecimento do hotend."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2788,7 +2788,7 @@ msgstr "Modo de Combing"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "O Combing mantém o bico dentro de áreas já impressas ao fazer o percurso. Isto causa movimentações de percurso um pouco mais demoradas mas reduz a necessidade de retrações. Se o combing estiver desligado, o material sofrerá retração eo bico se moverá em linha reta até o próximo ponto. É possível também evitar combing sobre contornos inferiores e superiores ou somente fazer combing dentro do preenchimento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3443,12 +3443,12 @@ msgstr "A altura do preenchimento de suporte de dada densidade antes de trocar p
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Área Mínima de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Área mínima para polígonos de suporte. Polígonos que tiverem uma área menor que essa não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3678,62 +3678,62 @@ msgstr "Ziguezague"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Área Mínima de Interface de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Área mínima para polígonos de interface de suporte. Polígonos que tiverem uma área menor que este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Área Mínima de Teto de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Área mínima para os tetos do suporte. Polígonos que tiverem área menor que este valor são serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Área Mínima de Base de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Área mínima para as bases do suporte. Polígonos que tiverem uma área menor que este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão Horizontal da Interface de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Quantidade de deslocamento aplicado aos polígonos da interface de suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão Horizontal do Teto de Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantidade de deslocamento aplicado aos tetos do suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão Horizontal da Base do Suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantidade de deslocamento aplicado às bases do suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,8 +8,8 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"Last-Translator: Paulo Miranda <av@utopica3d.com>\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"
|
||||
"Language: pt_PT\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
@ -86,7 +86,7 @@ msgstr "G-Code Inicial do Extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "G-code inicial para executar ao mudar para este extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -126,7 +126,7 @@ msgstr "G-Code Final do Extrusor"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "G-code final para executar ao mudar deste extrusor."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,8 +8,8 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-10-01 14:15+0100\n"
|
||||
"Last-Translator: Paulo Miranda <av@utopica3d.com>\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"
|
||||
"Language: pt_PT\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Comandos G-code a serem executados no início – separados por \n"
|
||||
"."
|
||||
msgstr "Comandos G-code a serem executados no início – separados por \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Comandos G-code a serem executados no fim – separados por \n"
|
||||
"."
|
||||
msgstr "Comandos G-code a serem executados no fim – separados por \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1699,9 +1695,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Adicionar paredes adicionais em torno da área de enchimento. Essas paredes podem fazer com que as linhas de revestimento superiores/inferiores desçam menos, o que significa que são necessárias menos camadas de revestimento superior/inferior para a mesma qualidade à custa de algum material adicional.\n"
|
||||
"Esta funcionalidade pode ser combinada com a opção Ligar polígonos de enchimento para unir todo o enchimento num único caminho de extrusão sem necessidade de deslocações ou retrações, se configurado corretamente."
|
||||
msgstr "Adicionar paredes adicionais em torno da área de enchimento. Essas paredes podem fazer com que as linhas de revestimento superiores/inferiores desçam menos, o que significa que são necessárias menos camadas de revestimento superior/inferior para a mesma qualidade à custa de algum material adicional.\nEsta funcionalidade pode ser combinada com a opção Ligar polígonos de enchimento para unir todo o enchimento num único caminho de extrusão sem necessidade de deslocações ou retrações, se configurado corretamente."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1741,7 +1735,7 @@ msgstr "Sobreposição Revestimento (%)"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuste a quantidade de sobreposição entre as paredes e (as extremidades) das linhas centrais de revestimento, como percentagem das larguras de linha das linhas de revestimento e da parede mais interna. Uma ligeira sobreposição permite que as paredes se liguem firmemente ao revestimento. Observe que no caso de um revestimento e uma largura de revestimento da parede iguais, qualquer percentagem acima de 50% pode fazer com que o revestimento ultrapasse a parede, visto que a posição do bocal do extrusor de revestimento pode já ultrapassar o centro da parede neste ponto."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1751,7 +1745,7 @@ msgstr "Sobreposição Revestimento (mm)"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Ajuste a quantidade de sobreposição entre as paredes e (as extremidades) das linhas centrais de revestimento. Uma ligeira sobreposição permite que as paredes se liguem firmemente ao revestimento. Observe que no caso de um revestimento e uma largura de revestimento da parede iguais, qualquer valor acima da metade da largura da parede pode fazer com que o revestimento ultrapasse a parede, visto que a posição do bocal do extrusor de revestimento pode já ultrapassar o centro da parede."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2209,7 +2203,7 @@ msgstr "Distância de retração de substituição do nozzle"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "A quantidade de retração ao mudar de extrusor. Defina como 0 para não obter qualquer retração. Normalmente, esta deve ser a mesma que o comprimento da zona de aquecimento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2900,7 +2894,7 @@ msgstr "Modo de Combing"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Combing mantém o bocal em áreas já impressas durante a deslocação. Isto resulta em movimentos de deslocação ligeiramente mais longos, mas reduz a necessidade de retrações. Se o combing estiver desativado, o material será retraído e o bocal irá deslocar-se em linha reta para o próximo ponto. Também é possível evitar o combing em áreas de revestimento superiores/inferiores ou apenas efetuar o combing no enchimento."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3573,12 +3567,12 @@ msgstr "A altura do enchimento de suporte de uma determinada densidade antes de
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Área de suporte mínimo"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamanho mínimo da área para polígonos de suporte. Os polígonos com uma área inferior a este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3811,62 +3805,62 @@ msgstr "Ziguezague"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Área mínima da interface de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamanho mínimo da área para polígonos da interface de suporte. Os polígonos com uma área inferior a este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Área mínima do teto de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamanho mínimo da área para os tetos de suporte. Os polígonos com uma área inferior a este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Área mínima do piso de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Tamanho mínimo da área para os pisos de suporte. Os polígonos com uma área inferior a este valor não serão gerados."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão horizontal da interface de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Quantidade do desvio aplicado aos polígonos da interface de suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão horizontal do teto de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantidade do desvio aplicado aos tetos de suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Expansão horizontal do piso de suporte"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Quantidade do desvio aplicado aos pisos de suporte."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -4041,9 +4035,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"A distância horizontal entre o contorno e o perímetro exterior da primeira camada da impressão.\n"
|
||||
"Esta é a distância mínima. Linhas múltiplas de contorno serão impressas para o exterior."
|
||||
msgstr "A distância horizontal entre o contorno e o perímetro exterior da primeira camada da impressão.\nEsta é a distância mínima. Linhas múltiplas de contorno serão impressas para o exterior."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5532,9 +5524,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"A distância de um movimento ascendente que é extrudido a metade da velocidade.\n"
|
||||
"Isto pode causar melhor aderência às camadas anteriores, sendo que o material nessas camadas não é demasiado aquecido. Aplica-se apenas à impressão de fios."
|
||||
msgstr "A distância de um movimento ascendente que é extrudido a metade da velocidade.\nIsto pode causar melhor aderência às camadas anteriores, sendo que o material nessas camadas não é demasiado aquecido. Aplica-se apenas à impressão de fios."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\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"
|
||||
"Language: ru_RU\n"
|
||||
@ -86,7 +86,7 @@ msgstr "Стартовый G-код экструдера"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Стартовый G-код, запускающийся при переключении на данный экструдер."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -126,7 +126,7 @@ msgstr "Завершающий G-код экструдера"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Завершающий G-код, запускающийся при переключении с данного экструдера."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
@ -1277,6 +1277,7 @@ msgstr "Укажите диаметр используемой нити."
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Расстояние по горизонтали между юбкой и первым слоем печатаемого объекта.\n"
|
||||
#~ "Это минимальное расстояние, следующие линии юбки будут печататься наружу."
|
||||
|
||||
@ -1673,6 +1674,7 @@ msgstr "Укажите диаметр используемой нити."
|
||||
#~ "Distance of an upward move which is extruded with half speed.\n"
|
||||
#~ "This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Расстояние движения вверх, при котором выдавливание идёт на половине скорости.\n"
|
||||
#~ "Это может улучшить прилипание к предыдущим слоям, не перегревая материал тех слоёв. Применяется только при нитевой печати."
|
||||
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:29+0100\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"
|
||||
"Language: ru_RU\n"
|
||||
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Команды в G-коде, которые будут выполнены в самом начале, разделенные с помощью \n"
|
||||
"."
|
||||
msgstr "Команды в G-коде, которые будут выполнены в самом начале, разделенные с помощью \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"Команды в G-коде, которые будут выполнены в самом конце, разделенные с помощью \n"
|
||||
"."
|
||||
msgstr "Команды в G-коде, которые будут выполнены в самом конце, разделенные с помощью \n."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1636,9 +1632,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"Добавление дополнительных стенок вокруг области заполнения. Эти стенки могут уменьшить провисание верхних/нижних линий оболочки, что уменьшает необходимое количество верхних/нижних слоев оболочки без ухудшения качества за счет небольшого увеличения количества материала.\n"
|
||||
"Эта функция может сочетаться с соединением полигонов заполнения для соединения всего участка заполнения в один путь экструзии без необходимости в движениях или откатах в случае правильной настройки."
|
||||
msgstr "Добавление дополнительных стенок вокруг области заполнения. Эти стенки могут уменьшить провисание верхних/нижних линий оболочки, что уменьшает необходимое количество верхних/нижних слоев оболочки без ухудшения качества за счет небольшого увеличения количества материала.\nЭта функция может сочетаться с соединением полигонов заполнения для соединения всего участка заполнения в один путь экструзии без необходимости в движениях или откатах в случае правильной настройки."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1678,7 +1672,7 @@ msgstr "Процент перекрытия оболочек"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Настройте величину перекрытия между стенками и центральными линиями оболочки (конечными точками) в виде процентного отношения значений ширины линии для линий оболочки и внутренней стенки. Небольшое перекрытие позволяет стенкам надежно соединяться с оболочкой. Обратите внимание, что при одинаковой толщине оболочки и ширине линии стенки любое процентное значение, превышающее 50%, может привести к размещению любой оболочки за пределами стенки. Это обусловлено тем, что в этот момент расположение сопла экструдера оболочки может сместиться за середину стенки."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1688,7 +1682,7 @@ msgstr "Перекрытие оболочек"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Настройте величину перекрытия между стенками и центральными линиями оболочки (конечными точками). Небольшое перекрытие позволяет стенкам надежно соединяться с оболочкой. Обратите внимание, что при одинаковой толщине оболочки и ширине линии стенки любое значение, превышающее половину ширины стенки, может привести к размещению любой оболочки за пределами стенки. Это обусловлено тем, что в этот момент расположение сопла экструдера оболочки может сместиться за середину стенки."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2128,7 +2122,7 @@ msgstr "Величина отката при смене экструдера"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Величина отката при переключении экструдеров. Установите 0 для отключения отката. Обычно соответствует длине зоны нагрева."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2788,7 +2782,7 @@ msgstr "Режим комбинга"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Комбинг удерживает сопло внутри напечатанных зон при перемещении. Это выражается в небольшом увеличении пути, но уменьшает необходимость в откатах. При отключенном комбинге выполняется откат материала, а сопло передвигается в следующую точку по прямой. Также можно не применять комбинг над верхними/нижними областями оболочки либо разрешить комбинг только в области заполнения."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3443,12 +3437,12 @@ msgstr "Высота заполнения поддержек, по достиж
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Минимальная зона поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Минимальная площадь зоны для полигонов поддержек. Полигоны с площадью меньше данного значения не будут генерироваться."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3678,62 +3672,62 @@ msgstr "Зигзаг"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Минимальная зона связующего слоя"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Минимальная площадь зоны для полигонов связующего слоя. Полигоны с площадью меньше данного значения не будут генерироваться."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Минимальная зона верхней части поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Минимальная площадь зоны для верхних частей поддержек. Полигоны с площадью меньше данного значения не будут генерироваться."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Минимальная зона нижней части поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Минимальная площадь зоны для нижних частей поддержек. Полигоны с площадью меньше данного значения не будут генерироваться."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Горизонтальное расширение связующего слоя"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Величина смещения, применяемая к полигонам связующего слоя."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Горизонтальное расширение верхней части поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Величина смещения, применяемая к верхней части поддержек."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Горизонтальное расширение нижней части поддержек"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Величина смещения, применяемая к нижней части поддержек."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3905,9 +3899,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"Горизонтальное расстояние между юбкой и первым слоем печати.\n"
|
||||
"Минимальное расстояние. Несколько линий юбки будут расширяться от этого расстояния."
|
||||
msgstr "Горизонтальное расстояние между юбкой и первым слоем печати.\nМинимальное расстояние. Несколько линий юбки будут расширяться от этого расстояния."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5354,9 +5346,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"Расстояние движения вверх, при котором выдавливание идёт на половине скорости.\n"
|
||||
"Это может улучшить прилипание к предыдущим слоям, не перегревая материал тех слоёв. Применяется только при каркасной печати."
|
||||
msgstr "Расстояние движения вверх, при котором выдавливание идёт на половине скорости.\nЭто может улучшить прилипание к предыдущим слоям, не перегревая материал тех слоёв. Применяется только при каркасной печати."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5910,6 +5900,7 @@ msgstr "Матрица преобразования, применяемая к
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Команды в G-коде, которые будут выполнены при старте печати, разделённые \n"
|
||||
#~ "."
|
||||
|
||||
@ -5922,6 +5913,7 @@ msgstr "Матрица преобразования, применяемая к
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Команды в G-коде, которые будут выполнены в конце печати, разделённые \n"
|
||||
#~ "."
|
||||
|
||||
@ -5978,6 +5970,7 @@ msgstr "Матрица преобразования, применяемая к
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "Расстояние по горизонтали между юбкой и первым слоем печатаемого объекта.\n"
|
||||
#~ "Это минимальное расстояние, следующие линии юбки будут печататься наружу."
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\n"
|
||||
"PO-Revision-Date: 2019-03-13 14:00+0200\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Turkish\n"
|
||||
"Language: tr_TR\n"
|
||||
@ -84,7 +84,7 @@ msgstr "Ekstruder G-Code'u Başlatma"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "Bu ekstrüdere geçiş yaparken çalıştırmak üzere G Code’u başlatın."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -124,7 +124,7 @@ msgstr "Ekstruder G-Code'u Sonlandırma"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "Bu ekstrüderden geçiş yaparken çalıştırmak üzere G Code’u sonlandırın."
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,14 +8,14 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:36+0100\n"
|
||||
"PO-Revision-Date: 2019-03-14 14:47+0100\n"
|
||||
"Last-Translator: Bothof <info@bothof.nl>\n"
|
||||
"Language-Team: Turkish\n"
|
||||
"Language: tr_TR\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"X-Generator: Poedit 2.1.1\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
@ -59,7 +59,7 @@ msgid ""
|
||||
"."
|
||||
msgstr ""
|
||||
" \n"
|
||||
" ile ayrılan, başlangıçta yürütülecek G-code komutları."
|
||||
" ile ayrılan, başlangıçta yürütülecek G-code komutları"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -73,7 +73,7 @@ msgid ""
|
||||
"."
|
||||
msgstr ""
|
||||
" \n"
|
||||
" ile ayrılan, bitişte yürütülecek G-code komutları."
|
||||
" ile ayrılan, bitişte yürütülecek G-code komutları"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1677,7 +1677,7 @@ msgstr "Yüzey Çakışma Oranı"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Duvarlar ile yüzey ekseni (uçları) arasındaki çakışma miktarını yüzey hatlarının hat genişliği ile en içteki duvarın bir yüzdesi olarak ayarlayın. Az miktar çakışma duvarların yüzeye sıkıca bağlanmasını sağlar. Eşit yüzey ve duvar hattı genişliği söz konusu olduğunda, %50’nin üstündeki yüzdelerde bu noktada yüzey ekstrüderinin nozül konumu halihazırda duvarın ortasına ulaşmış olacağından yüzeyin duvarı geçmiş olabileceğini unutmayın."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1687,7 @@ msgstr "Yüzey Çakışması"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "Duvarlar ile yüzey ekseni (uçları) arasındaki çakışma miktarını ayarlayın. Az miktar çakışma duvarların yüzeye sıkıca bağlanmasını sağlar. Eşit yüzey ve duvar hattı genişliği söz konusu olduğunda, duvar kalınlığının yarısından fazla değerlerde bu noktada yüzey ekstrüderinin nozül konumu halihazırda duvarın ortasına ulaşmış olacağından yüzeyin duvarı geçmiş olabileceğini unutmayın."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2127,7 +2127,7 @@ msgstr "Nozül Anahtarı Geri Çekme Mesafesi"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "Ekstrüderler değiştirilirken oluşan geri çekme miktarı. Geri çekme yoksa 0 olarak ayarlayın. Bu genellikle ısı bölgesinin uzunluğuna eşittir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2787,7 @@ msgstr "Tarama Modu"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "Tarama, hareket sırasında nozülü daha önce yazdırılmış alanlarda tutar. Bu durum hareketleri biraz uzatır ancak geri çekme ihtiyacını azaltır. Tarama kapalıysa malzeme geri çekilecektir, nozül ise bir sonraki noktaya düz bir çizgi üzerinden gider. Üst/alt yüzey alanlarının üzerinde tarama yapılmayabilir veya sadece dolgu içerisinde tarama yapılabilir."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3442,12 @@ msgstr "Yoğunluğun yarısına inmeden önce belirli bir yoğunluktaki destek d
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "Minimum Destek Bölgesi"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Destek poligonları için minimum alan boyutu. Alanı bu değerden daha düşük olan poligonlar oluşturulmayacaktır."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3677,62 @@ msgstr "Zikzak"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "Minimum Destek Arayüzü Bölgesi"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Destek arayüzü poligonları için minimum alan boyutu. Alanı bu değerden daha düşük olan poligonlar oluşturulmayacaktır."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "Minimum Destek Çatısı Bölgesi"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Destek çatıları için minimum alan boyutu. Alanı bu değerden daha düşük olan poligonlar oluşturulmayacaktır."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "Minimum Destek Zemini Bölgesi"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "Destek zeminleri için minimum alan boyutu. Alanı bu değerden daha düşük olan poligonlar oluşturulmayacaktır."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Destek Arayüzü Yatay Büyüme"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "Destek arayüzü poligonlarına uygulanan ofset miktarı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Destek Çatısı Yatay Büyüme"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "Destek çatılarına uygulanan ofset miktarı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "Destek Zemini Yatay Büyüme"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "Destek zeminlerine uygulanan ofset miktarı."
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-09-28 14:25+0100\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"
|
||||
"Language: zh_CN\n"
|
||||
@ -86,7 +86,7 @@ msgstr "挤出机的开始 G-code"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "在切换到此挤出机时执行的开始 G-code。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -126,7 +126,7 @@ msgstr "挤出机的结束 G-code"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "在切离此挤出机时执行的结束 G-code。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 15:38+0100\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"
|
||||
"Language: zh_CN\n"
|
||||
@ -58,9 +58,7 @@ msgctxt "machine_start_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very start - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"在开始时执行的 G-code 命令 - 以 \n"
|
||||
" 分行。"
|
||||
msgstr "在开始时执行的 G-code 命令 - 以 \n 分行。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_end_gcode label"
|
||||
@ -72,9 +70,7 @@ msgctxt "machine_end_gcode description"
|
||||
msgid ""
|
||||
"G-code commands to be executed at the very end - separated by \n"
|
||||
"."
|
||||
msgstr ""
|
||||
"在结束前执行的 G-code 命令 - 以 \n"
|
||||
" 分行。"
|
||||
msgstr "在结束前执行的 G-code 命令 - 以 \n 分行。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "material_guid label"
|
||||
@ -1636,9 +1632,7 @@ msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
"Add extra walls around the infill area. Such walls can make top/bottom skin lines sag down less which means you need less top/bottom skin layers for the same quality at the cost of some extra material.\n"
|
||||
"This feature can combine with the Connect Infill Polygons to connect all the infill into a single extrusion path without the need for travels or retractions if configured right."
|
||||
msgstr ""
|
||||
"在填充区域周围添加额外壁。此类壁可减少顶部/底部皮肤走线,这意味着只要付出一些额外的材料就可以使用更少的顶部/底部皮肤层达到相同的质量。\n"
|
||||
"在适当配置的情况下,此功能可结合连接填充多边形以将所有填充物连接到单一挤出路径而无需空驶或回抽。"
|
||||
msgstr "在填充区域周围添加额外壁。此类壁可减少顶部/底部皮肤走线,这意味着只要付出一些额外的材料就可以使用更少的顶部/底部皮肤层达到相同的质量。\n在适当配置的情况下,此功能可结合连接填充多边形以将所有填充物连接到单一挤出路径而无需空驶或回抽。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "sub_div_rad_add label"
|
||||
@ -1678,7 +1672,7 @@ msgstr "皮肤重叠百分比"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "调整壁和皮肤中心线的(端点)之间的重叠量,以皮肤线走线和最内壁的线宽度的百分比表示。稍微重叠可让各个壁与皮肤牢固连接。请注意,对于相等的皮肤和壁线宽度,任何超过 50% 的百分比可能已经导致任何皮肤越过壁,因为在该点,皮肤挤出机的喷嘴位置可能已经达到越过壁中间的位置。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1688,7 +1682,7 @@ msgstr "皮肤重叠"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "调整壁和皮肤中心线的(端点)之间的重叠量。稍微重叠可让各个壁与皮肤牢固连接。请注意,对于相等的皮肤和壁线宽度,任何超过壁宽度一半的值可能已经导致任何皮肤越过壁,因为在该点,皮肤挤出机的喷嘴位置可能已经达到越过壁中间的位置。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -2128,7 +2122,7 @@ msgstr "喷嘴切换回抽距离"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "切换挤出机时的回抽量。设为 0,不进行任何回抽。该值通常应与加热区的长度相同。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2788,7 +2782,7 @@ msgstr "梳理模式"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "梳理可在空驶时让喷嘴保持在已打印区域内。这会使空驶距离稍微延长,但可减少回抽需求。如果关闭梳理,则材料将回抽,且喷嘴沿着直线移动到下一个点。也可以避免顶部/底部皮肤区域的梳理或仅在填充物内进行梳理。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3443,12 +3437,12 @@ msgstr "在切换至密度的一半前指定密度的支撑填充高度。"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撑面积"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撑多边形的最小面积。将不会生成面积小于此值的多边形。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3678,62 +3672,62 @@ msgstr "锯齿形"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撑接触面面积"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撑接触面多边形的最小面积。将不会生成面积小于此值的多边形。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撑顶板面积"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撑顶板的最小面积。将不会生成面积小于此值的多边形。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撑底板面积"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撑底板的最小面积。将不会生成面积小于此值的多边形。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撑接触面水平扩展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "应用到支撑接触面多边形的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撑顶板水平扩展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "应用到支撑顶板的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撑底板水平扩展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "应用到支撑底板的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -3905,9 +3899,7 @@ msgctxt "skirt_gap description"
|
||||
msgid ""
|
||||
"The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
"This is the minimum distance. Multiple skirt lines will extend outwards from this distance."
|
||||
msgstr ""
|
||||
"skirt 和打印第一层之间的水平距离。\n"
|
||||
"这是最小距离。多个 skirt 走线将从此距离向外延伸。"
|
||||
msgstr "skirt 和打印第一层之间的水平距离。\n这是最小距离。多个 skirt 走线将从此距离向外延伸。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skirt_brim_minimal_length label"
|
||||
@ -5354,9 +5346,7 @@ msgctxt "wireframe_up_half_speed description"
|
||||
msgid ""
|
||||
"Distance of an upward move which is extruded with half speed.\n"
|
||||
"This can cause better adhesion to previous layers, while not heating the material in those layers too much. Only applies to Wire Printing."
|
||||
msgstr ""
|
||||
"以半速挤出的上行移动的距离。\n"
|
||||
"这会与之前的层产生更好的附着,而不会将这些层中的材料过度加热。 仅应用于单线打印。"
|
||||
msgstr "以半速挤出的上行移动的距离。\n这会与之前的层产生更好的附着,而不会将这些层中的材料过度加热。 仅应用于单线打印。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wireframe_top_jump label"
|
||||
@ -5910,6 +5900,7 @@ msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。"
|
||||
#~ "Gcode commands to be executed at the very start - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "在开始后执行的 G-code 命令 - 以 \n"
|
||||
#~ " 分行"
|
||||
|
||||
@ -5922,6 +5913,7 @@ msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。"
|
||||
#~ "Gcode commands to be executed at the very end - separated by \n"
|
||||
#~ "."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "在结束前执行的 G-code 命令 - 以 \n"
|
||||
#~ " 分行"
|
||||
|
||||
@ -5978,6 +5970,7 @@ msgstr "在将模型从文件中载入时应用在模型上的转换矩阵。"
|
||||
#~ "The horizontal distance between the skirt and the first layer of the print.\n"
|
||||
#~ "This is the minimum distance, multiple skirt lines will extend outwards from this distance."
|
||||
#~ msgstr ""
|
||||
|
||||
#~ "skirt 和打印第一层之间的水平距离。\n"
|
||||
#~ "这是最小距离,多个 skirt 走线将从此距离向外延伸。"
|
||||
|
||||
|
File diff suppressed because it is too large
Load Diff
@ -8,7 +8,7 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-04 13:04+0800\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"
|
||||
"Language: zh_TW\n"
|
||||
@ -85,7 +85,7 @@ msgstr "擠出機起始 G-code"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr ""
|
||||
msgstr "切換到此擠出機時,要執行的啟動 G-code。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
@ -115,7 +115,7 @@ msgstr "擠出機起始位置 Y 座標"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_start_pos_y description"
|
||||
msgid "The y-coordinate of the starting position when turning the extruder on."
|
||||
msgstr "打開擠壓機時的起始位置 Y 座標。"
|
||||
msgstr "打開擠出機時的起始位置 Y 座標。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code label"
|
||||
@ -125,7 +125,7 @@ msgstr "擠出機結束 Gcode"
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr ""
|
||||
msgstr "從此擠出機切換到其它擠出機時,要執行的結束 G-code。"
|
||||
|
||||
#: fdmextruder.def.json
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
|
@ -8,34 +8,34 @@ msgstr ""
|
||||
"Project-Id-Version: Cura 4.0\n"
|
||||
"Report-Msgid-Bugs-To: r.dulek@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2019-02-26 16:36+0000\n"
|
||||
"PO-Revision-Date: 2018-11-06 16:00+0100\n"
|
||||
"PO-Revision-Date: 2019-03-09 20:53+0800\n"
|
||||
"Last-Translator: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language-Team: Zhang Heh Ji <dinowchang@gmail.com>\n"
|
||||
"Language: zh_TW\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
"Content-Transfer-Encoding: 8bit\n"
|
||||
"X-Generator: Poedit 2.0.6\n"
|
||||
"X-Generator: Poedit 2.2\n"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings label"
|
||||
msgid "Machine"
|
||||
msgstr "機器"
|
||||
msgstr "機器"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_settings description"
|
||||
msgid "Machine specific settings"
|
||||
msgstr "機器詳細設定"
|
||||
msgstr "機器詳細設定"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_name label"
|
||||
msgid "Machine Type"
|
||||
msgstr "機器類型"
|
||||
msgstr "機器類型"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_name description"
|
||||
msgid "The name of your 3D printer model."
|
||||
msgstr "你的 3D 印表機型號的名稱。"
|
||||
msgstr "你的 3D 印表機型號的名稱。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_show_variants label"
|
||||
@ -408,7 +408,7 @@ msgstr "不允許區域"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_disallowed_areas description"
|
||||
msgid "A list of polygons with areas the print head is not allowed to enter."
|
||||
msgstr "不允許列印頭進入區域的多邊形列表。"
|
||||
msgstr "不允許列印頭進入區域的多邊形清單。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "nozzle_disallowed_areas label"
|
||||
@ -418,7 +418,7 @@ msgstr "噴頭不允許區域"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "nozzle_disallowed_areas description"
|
||||
msgid "A list of polygons with areas the nozzle is not allowed to enter."
|
||||
msgstr "不允許噴頭進入區域的多邊形列表。"
|
||||
msgstr "不允許噴頭進入區域的多邊形清單。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "machine_head_polygon label"
|
||||
@ -1088,7 +1088,7 @@ msgstr "頂部/底部線條方向"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_angles description"
|
||||
msgid "A list of integer line directions to use when the top/bottom layers use the lines or zig zag pattern. Elements from the list are used sequentially as the layers progress and when the end of the list is reached, it starts at the beginning again. The list items are separated by commas and the whole list is contained in square brackets. Default is an empty list which means use the traditional default angles (45 and 135 degrees)."
|
||||
msgstr "當頂部/底部採用線條或鋸齒狀的列印樣式時使用的整數線條方向的列表。列表中的元素隨層的進度依次使用,當達到列表末尾時,它將從頭開始。列表元素以逗號分隔,整個列表包含在方括號中。空的列表代表使用傳統的預設角度(45 和 135 度)。"
|
||||
msgstr "當頂部/底部採用線條或鋸齒狀的列印樣式時使用的整數線條方向的清單。清單中的元素隨層的進度依次使用,當達到清單末尾時,它將從頭開始。清單元素以逗號分隔,整個清單包含在方括號中。空的清單代表使用傳統的預設角度(45 和 135 度)。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "wall_0_inset label"
|
||||
@ -1593,7 +1593,7 @@ msgstr "填充線條方向"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_angles description"
|
||||
msgid "A list of integer line directions to use. Elements from the list are used sequentially as the layers progress and when the end of the list is reached, it starts at the beginning again. The list items are separated by commas and the whole list is contained in square brackets. Default is an empty list which means use the traditional default angles (45 and 135 degrees for the lines and zig zag patterns and 45 degrees for all other patterns)."
|
||||
msgstr "要使用的整數線條方向列表。列表中的元素隨層的進度依次使用,當達到列表末尾時,它將從頭開始。列表元素以逗號分隔,整個列表包含在方括號中。空的列表代表使用傳統的預設角度(線條和鋸齒狀的列印樣式為 45 和 135 度,其他所有的列印樣式為 45 度)。"
|
||||
msgstr "要使用的整數線條方向清單。清單中的元素隨層的進度依次使用,當達到清單末尾時,它將從頭開始。清單元素以逗號分隔,整個清單包含在方括號中。空的清單代表使用傳統的預設角度(線條和鋸齒狀的列印樣式為 45 和 135 度,其他所有的列印樣式為 45 度)。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_offset_x label"
|
||||
@ -1677,7 +1677,7 @@ msgstr "表層重疊百分比"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines, as a percentage of the line widths of the skin lines and the innermost wall. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any percentage over 50% may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "以表層線寬和最內壁線寬的百分比,調整內壁和表層中心線(的端點)之間的重疊量。輕微的重疊可以讓牆壁牢固地連接到表層。但要注意在表層和內壁線寬度相等的情形下, 超過 50% 的百分比可能導致表層越過內壁, 因為此時擠出機噴嘴的位置可能已經超過了內壁線條的中間。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm label"
|
||||
@ -1687,7 +1687,7 @@ msgstr "表層重疊"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "skin_overlap_mm description"
|
||||
msgid "Adjust the amount of overlap between the walls and (the endpoints of) the skin-centerlines. A slight overlap allows the walls to connect firmly to the skin. Note that, given an equal skin and wall line-width, any value over half the width of the wall may already cause any skin to go past the wall, because at that point the position of the nozzle of the skin-extruder may already reach past the middle of the wall."
|
||||
msgstr ""
|
||||
msgstr "調整內壁和表層中心線(的端點)之間的重疊量。輕微的重疊可以讓牆壁牢固地連接到表層。但要注意在表層和內壁線寬度相等的情形下, 超過線寬一半的值可能導致表層越過內壁, 因為此時擠出機噴嘴的位置可能已經超過了內壁線條的中間。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_wipe_dist label"
|
||||
@ -1742,7 +1742,7 @@ msgstr "列印牆壁前先列印填充。先列印牆壁可以產生更精確的
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area label"
|
||||
msgid "Minimum Infill Area"
|
||||
msgstr "最小填充區域"
|
||||
msgstr "最小填充面積"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "min_infill_area description"
|
||||
@ -2127,7 +2127,7 @@ msgstr "噴頭切換回抽距離"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_amount description"
|
||||
msgid "The amount of retraction when switching extruders. Set to 0 for no retraction at all. This should generally be the same as the length of the heat zone."
|
||||
msgstr ""
|
||||
msgstr "切換擠出機時的回抽量。設定為 0 表示沒有回抽。這值通常和加熱區的長度相同。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "switch_extruder_retraction_speeds label"
|
||||
@ -2787,7 +2787,7 @@ msgstr "梳理模式"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing description"
|
||||
msgid "Combing keeps the nozzle within already printed areas when traveling. This results in slightly longer travel moves but reduces the need for retractions. If combing is off, the material will retract and the nozzle moves in a straight line to the next point. It is also possible to avoid combing over top/bottom skin areas or to only comb within the infill."
|
||||
msgstr ""
|
||||
msgstr "梳理模式讓噴頭空跑時保持在已列印的區域內。這將導致稍長的空跑移動但減少了回抽的需求。如果關閉梳理模式,噴頭將會回抽耗材,直線移動到下一點。可以設定在頂部/底部表層不使用梳理模式,或只使用在內部填充。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "retraction_combing option off"
|
||||
@ -3442,12 +3442,12 @@ msgstr "支撐層密度減半的厚度。"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area label"
|
||||
msgid "Minimum Support Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撐面積"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_support_area description"
|
||||
msgid "Minimum area size for support polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撐區域的最小面積大小。面積小於此值的區域將不會產生支撐。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_enable label"
|
||||
@ -3677,62 +3677,62 @@ msgstr "鋸齒狀"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area label"
|
||||
msgid "Minimum Support Interface Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撐介面面積"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_interface_area description"
|
||||
msgid "Minimum area size for support interface polygons. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撐介面區域的最小面積大小。面積小於此值的區域將不會產生支撐介面。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area label"
|
||||
msgid "Minimum Support Roof Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撐頂板面積"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_roof_area description"
|
||||
msgid "Minimum area size for the roofs of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撐頂板區域的最小面積大小。面積小於此值的區域將不會產生支撐頂板。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area label"
|
||||
msgid "Minimum Support Floor Area"
|
||||
msgstr ""
|
||||
msgstr "最小支撐底板面積"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "minimum_bottom_area description"
|
||||
msgid "Minimum area size for the floors of the support. Polygons which have an area smaller than this value will not be generated."
|
||||
msgstr ""
|
||||
msgstr "支撐底板區域的最小面積大小。面積小於此值的區域將不會產生支撐底板。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset label"
|
||||
msgid "Support Interface Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撐介面水平擴展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_interface_offset description"
|
||||
msgid "Amount of offset applied to the support interface polygons."
|
||||
msgstr ""
|
||||
msgstr "套用到支撐介面多邊形的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset label"
|
||||
msgid "Support Roof Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撐頂板水平擴展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_roof_offset description"
|
||||
msgid "Amount of offset applied to the roofs of the support."
|
||||
msgstr ""
|
||||
msgstr "套用到支撐頂板多邊形的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset label"
|
||||
msgid "Support Floor Horizontal Expansion"
|
||||
msgstr ""
|
||||
msgstr "支撐底板水平擴展"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_bottom_offset description"
|
||||
msgid "Amount of offset applied to the floors of the support."
|
||||
msgstr ""
|
||||
msgstr "套用到支撐底板多邊形的偏移量。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "support_fan_enable label"
|
||||
@ -4801,7 +4801,7 @@ msgstr "頂部表層線條方向"
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "roofing_angles description"
|
||||
msgid "A list of integer line directions to use when the top surface skin layers use the lines or zig zag pattern. Elements from the list are used sequentially as the layers progress and when the end of the list is reached, it starts at the beginning again. The list items are separated by commas and the whole list is contained in square brackets. Default is an empty list which means use the traditional default angles (45 and 135 degrees)."
|
||||
msgstr "當頂部表層採用線條或鋸齒狀的列印樣式時使用的整數線條方向的列表。列表中的元素隨層的進度依次使用,當達到列表末尾時,它將從頭開始。列表項以逗號分隔,整個列表包含在方括號中。預設使用傳統的預設角度(45 和 135 度)。"
|
||||
msgstr "當頂部表層採用線條或鋸齒狀的列印樣式時使用的整數線條方向的清單。清單中的元素隨層的進度依次使用,當達到清單末尾時,它將從頭開始。清單項以逗號分隔,整個清單包含在方括號中。預設使用傳統的預設角度(45 和 135 度)。"
|
||||
|
||||
#: fdmprinter.def.json
|
||||
msgctxt "infill_enable_travel_optimization label"
|
||||
|
BIN
resources/meshes/alya_nx_platform.stl
Normal file
BIN
resources/meshes/alya_nx_platform.stl
Normal file
Binary file not shown.
BIN
resources/meshes/alya_platform.stl
Normal file
BIN
resources/meshes/alya_platform.stl
Normal file
Binary file not shown.
@ -26,7 +26,7 @@ Column
|
||||
anchors.horizontalCenter: parent.horizontalCenter
|
||||
horizontalAlignment: Text.AlignHCenter
|
||||
renderType: Text.NativeRendering
|
||||
text: catalog.i18nc("@label", "Ultimaker Cloud")
|
||||
text: "Ultimaker Cloud"
|
||||
font: UM.Theme.getFont("large_bold")
|
||||
color: UM.Theme.getColor("text")
|
||||
}
|
||||
|
@ -20,7 +20,7 @@ Column
|
||||
anchors.horizontalCenter: parent.horizontalCenter
|
||||
horizontalAlignment: Text.AlignHCenter
|
||||
renderType: Text.NativeRendering
|
||||
text: catalog.i18nc("@label", "Hi " + profile.username)
|
||||
text: catalog.i18nc("@label The argument is a username.", "Hi %1").format(profile.username)
|
||||
font: UM.Theme.getFont("large_bold")
|
||||
color: UM.Theme.getColor("text")
|
||||
}
|
||||
|
@ -60,7 +60,7 @@ Column
|
||||
width: parent.width
|
||||
visible: widget.backendState == UM.Backend.Error
|
||||
|
||||
text: catalog.i18nc("@label:PrintjobStatus", "Unable to Slice")
|
||||
text: catalog.i18nc("@label:PrintjobStatus", "Unable to slice")
|
||||
source: UM.Theme.getIcon("warning")
|
||||
iconColor: UM.Theme.getColor("warning")
|
||||
}
|
||||
|
@ -127,7 +127,7 @@ Item
|
||||
{
|
||||
text: catalog.i18nc("@action:button", "Remove")
|
||||
iconName: "list-remove"
|
||||
enabled: base.hasCurrentItem && !base.currentItem.is_read_only && !base.isCurrentItemActivated
|
||||
enabled: base.hasCurrentItem && !base.currentItem.is_read_only && !base.isCurrentItemActivated && base.materialManager.canMaterialBeRemoved(base.currentItem.container_node)
|
||||
onClicked:
|
||||
{
|
||||
forceActiveFocus();
|
||||
|
@ -137,7 +137,7 @@ Item
|
||||
if (availableMin == -1 || (availableMin == 0 && availableMax == 0))
|
||||
{
|
||||
// Do not use Math.round otherwise the tickmarks won't be aligned
|
||||
qualityModel.qualitySliderMarginRight = settingsColumnWidth
|
||||
qualityModel.qualitySliderMarginRight = settingsColumnWidth / 2
|
||||
}
|
||||
else if (availableMin == availableMax)
|
||||
{
|
||||
@ -352,7 +352,7 @@ Item
|
||||
enabled: !Cura.MachineManager.hasCustomQuality
|
||||
onEntered:
|
||||
{
|
||||
var tooltipContent = catalog.i18nc("@tooltip", "This quality profile is not available for your current material and nozzle configuration. Please change these to enable this quality profile")
|
||||
var tooltipContent = catalog.i18nc("@tooltip", "This quality profile is not available for your current material and nozzle configuration. Please change these to enable this quality profile.")
|
||||
base.showTooltip(qualityRow, Qt.point(-UM.Theme.getSize("thick_margin").width, customisedSettings.height), tooltipContent)
|
||||
}
|
||||
onExited: base.hideTooltip()
|
||||
|
57
resources/quality/katihal/alya3dp_normal.inst.cfg
Normal file
57
resources/quality/katihal/alya3dp_normal.inst.cfg
Normal file
@ -0,0 +1,57 @@
|
||||
[general]
|
||||
version = 4
|
||||
name = Normal
|
||||
definition = alya3dp
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = alya_normal
|
||||
weight = 0
|
||||
global_quality = True
|
||||
|
||||
[values]
|
||||
layer_height = 0.16
|
||||
layer_height_0 = 0.1
|
||||
adhesion_type = raft
|
||||
skirt_line_count = 2
|
||||
skirt_gap = 2
|
||||
fill_outline_gaps = True
|
||||
infill_angles = [0,90 ]
|
||||
infill_sparse_density = 15
|
||||
retraction_min_travel = 0.8
|
||||
skin_angles = [0,90]
|
||||
top_layers = 6
|
||||
wall_line_count = 2
|
||||
infill_pattern = grid
|
||||
skin_line_width = 0.4
|
||||
raft_base_line_spacing = 2.6
|
||||
raft_base_line_width = 1.2
|
||||
raft_base_thickness = 0.3
|
||||
raft_interface_line_width = 0.4
|
||||
raft_interface_thickness = 0.3
|
||||
raft_interface_line_spacing = 0.8
|
||||
raft_margin = 5
|
||||
raft_surface_layers = 3
|
||||
raft_surface_line_width = 0.4
|
||||
raft_surface_thickness = 0.2
|
||||
retract_at_layer_change = true
|
||||
retraction_hop = 0.5
|
||||
retraction_hop_enabled = true
|
||||
support_type = everywhere
|
||||
support_interface_pattern =lines
|
||||
support_top_distance = 0.15
|
||||
support_z_distance = 0.25
|
||||
support_bottom_distance = 0.15
|
||||
support_brim_width = 6
|
||||
support_infill_rate = 15
|
||||
support_line_distance = 1.7
|
||||
support_line_width = 0.25
|
||||
support_initial_layer_line_distance = 2.7
|
||||
support_xy_distance = 0.7
|
||||
infill_line_width = 0.4
|
||||
line_width = 0.4
|
||||
optimize_wall_printing_order = True
|
||||
support_angle = 70
|
||||
wall_line_width_x = 0.4
|
||||
wall_line_width_0 = 0.35
|
@ -0,0 +1,32 @@
|
||||
[general]
|
||||
version = 4
|
||||
definition = alya3dp
|
||||
name = Normal
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = alya_normal
|
||||
weight = 3
|
||||
material = generic_pla
|
||||
|
||||
[values]
|
||||
material_diameter = 1.75
|
||||
speed_print = 40
|
||||
speed_topbottom = 30
|
||||
speed_wall_0 = 35
|
||||
speed_infill = 45
|
||||
speed_layer_0 = 25
|
||||
speed_support = 45
|
||||
speed_support_interface = 35
|
||||
speed_travel = 60
|
||||
raft_airgap = 0.15
|
||||
layer_0_z_overlap = 0.04
|
||||
raft_base_speed = 15
|
||||
raft_interface_speed = 20
|
||||
raft_surface_speed = 35
|
||||
raft_surface_fan_speed = 100
|
||||
raft_base_fan_speed = 0
|
||||
raft_interface_fan_speed = 0
|
||||
cool_fan_speed = 100
|
||||
cool_fan_speed_0 = 100
|
57
resources/quality/katihal/alyanx3dp_normal.inst.cfg
Normal file
57
resources/quality/katihal/alyanx3dp_normal.inst.cfg
Normal file
@ -0,0 +1,57 @@
|
||||
[general]
|
||||
version = 4
|
||||
name = Normal
|
||||
definition = alyanx3dp
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = alyanx_normal
|
||||
weight = 0
|
||||
global_quality = True
|
||||
|
||||
[values]
|
||||
layer_height = 0.16
|
||||
layer_height_0 = 0.1
|
||||
adhesion_type = raft
|
||||
skirt_line_count = 2
|
||||
skirt_gap = 2
|
||||
fill_outline_gaps = True
|
||||
infill_angles = [0,90 ]
|
||||
infill_sparse_density = 15
|
||||
retraction_min_travel = 0.8
|
||||
skin_angles = [0,90]
|
||||
top_layers = 6
|
||||
wall_line_count = 2
|
||||
infill_pattern = grid
|
||||
skin_line_width = 0.4
|
||||
raft_base_line_spacing = 2.6
|
||||
raft_base_line_width = 1.2
|
||||
raft_base_thickness = 0.3
|
||||
raft_interface_line_width = 0.4
|
||||
raft_interface_thickness = 0.3
|
||||
raft_interface_line_spacing = 0.8
|
||||
raft_margin = 5
|
||||
raft_surface_layers = 3
|
||||
raft_surface_line_width = 0.4
|
||||
raft_surface_thickness = 0.2
|
||||
retract_at_layer_change = true
|
||||
retraction_hop = 0.5
|
||||
retraction_hop_enabled = true
|
||||
support_type = everywhere
|
||||
support_interface_pattern =lines
|
||||
support_top_distance = 0.15
|
||||
support_z_distance = 0.25
|
||||
support_bottom_distance = 0.15
|
||||
support_brim_width = 6
|
||||
support_infill_rate = 15
|
||||
support_line_distance = 1.7
|
||||
support_line_width = 0.25
|
||||
support_initial_layer_line_distance = 2.7
|
||||
support_xy_distance = 0.7
|
||||
infill_line_width = 0.4
|
||||
line_width = 0.4
|
||||
optimize_wall_printing_order = True
|
||||
support_angle = 70
|
||||
wall_line_width_x = 0.4
|
||||
wall_line_width_0 = 0.35
|
@ -0,0 +1,32 @@
|
||||
[general]
|
||||
version = 4
|
||||
definition = alyanx3dp
|
||||
name = Normal
|
||||
|
||||
[metadata]
|
||||
setting_version = 6
|
||||
type = quality
|
||||
quality_type = alyanx_normal
|
||||
weight = 2
|
||||
material = generic_pla
|
||||
|
||||
[values]
|
||||
material_diameter = 1.75
|
||||
speed_print = 40
|
||||
speed_topbottom = 30
|
||||
speed_wall_0 = 35
|
||||
speed_infill = 45
|
||||
speed_layer_0 = 25
|
||||
speed_support = 45
|
||||
speed_support_interface = 35
|
||||
speed_travel = 60
|
||||
raft_airgap = 0.15
|
||||
layer_0_z_overlap = 0.04
|
||||
raft_base_speed = 15
|
||||
raft_interface_speed = 20
|
||||
raft_surface_speed = 35
|
||||
raft_surface_fan_speed = 100
|
||||
raft_base_fan_speed = 0
|
||||
raft_interface_fan_speed = 0
|
||||
cool_fan_speed = 100
|
||||
cool_fan_speed_0 = 100
|
57
resources/quality/katihal/kupido_normal.inst.cfg
Normal file
57
resources/quality/katihal/kupido_normal.inst.cfg
Normal file
@ -0,0 +1,57 @@
|
||||
[general]
|
||||
version = 4
|
||||
name = Normal
|
||||
definition = kupido
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = kupido_normal
|
||||
weight = 0
|
||||
global_quality = True
|
||||
|
||||
[values]
|
||||
layer_height = 0.16
|
||||
layer_height_0 = 0.1
|
||||
adhesion_type = raft
|
||||
skirt_line_count = 2
|
||||
skirt_gap = 2
|
||||
fill_outline_gaps = True
|
||||
infill_angles = [0,90 ]
|
||||
infill_sparse_density = 15
|
||||
retraction_min_travel = 0.8
|
||||
skin_angles = [0,90]
|
||||
top_layers = 6
|
||||
wall_line_count = 2
|
||||
infill_pattern = grid
|
||||
skin_line_width = 0.4
|
||||
raft_base_line_spacing = 2.6
|
||||
raft_base_line_width = 1.2
|
||||
raft_base_thickness = 0.3
|
||||
raft_interface_line_width = 0.4
|
||||
raft_interface_thickness = 0.3
|
||||
raft_interface_line_spacing = 0.8
|
||||
raft_margin = 5
|
||||
raft_surface_layers = 3
|
||||
raft_surface_line_width = 0.4
|
||||
raft_surface_thickness = 0.2
|
||||
retract_at_layer_change = true
|
||||
retraction_hop = 0.5
|
||||
retraction_hop_enabled = true
|
||||
support_type = everywhere
|
||||
support_interface_pattern =lines
|
||||
support_top_distance = 0.15
|
||||
support_z_distance = 0.25
|
||||
support_bottom_distance = 0.15
|
||||
support_brim_width = 6
|
||||
support_infill_rate = 15
|
||||
support_line_distance = 1.7
|
||||
support_line_width = 0.25
|
||||
support_initial_layer_line_distance = 2.7
|
||||
support_xy_distance = 0.7
|
||||
infill_line_width = 0.4
|
||||
line_width = 0.4
|
||||
optimize_wall_printing_order = True
|
||||
support_angle = 70
|
||||
wall_line_width_x = 0.4
|
||||
wall_line_width_0 = 0.35
|
32
resources/quality/katihal/kupido_normal_generic_abs.inst.cfg
Normal file
32
resources/quality/katihal/kupido_normal_generic_abs.inst.cfg
Normal file
@ -0,0 +1,32 @@
|
||||
[general]
|
||||
version = 4
|
||||
definition = kupido
|
||||
name = Normal
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = kupido_normal
|
||||
weight = 3
|
||||
material = generic_abs
|
||||
|
||||
[values]
|
||||
material_diameter = 1.75
|
||||
speed_print = 40
|
||||
speed_topbottom = 30
|
||||
speed_wall_0 = 35
|
||||
speed_infill = 45
|
||||
speed_layer_0 = 25
|
||||
speed_support = 45
|
||||
speed_support_interface = 35
|
||||
speed_travel = 60
|
||||
raft_airgap = 0.1
|
||||
layer_0_z_overlap = 0.04
|
||||
raft_base_speed = 15
|
||||
raft_interface_speed = 20
|
||||
raft_surface_speed = 35
|
||||
raft_surface_fan_speed = 100
|
||||
raft_base_fan_speed = 0
|
||||
raft_interface_fan_speed = 0
|
||||
cool_fan_speed = 30
|
||||
cool_fan_speed_0 = 30
|
32
resources/quality/katihal/kupido_normal_generic_pla.inst.cfg
Normal file
32
resources/quality/katihal/kupido_normal_generic_pla.inst.cfg
Normal file
@ -0,0 +1,32 @@
|
||||
[general]
|
||||
version = 4
|
||||
definition = kupido
|
||||
name = Normal
|
||||
|
||||
[metadata]
|
||||
setting_version = 5
|
||||
type = quality
|
||||
quality_type = kupido_normal
|
||||
weight = 3
|
||||
material = generic_pla
|
||||
|
||||
[values]
|
||||
material_diameter = 1.75
|
||||
speed_print = 40
|
||||
speed_topbottom = 30
|
||||
speed_wall_0 = 35
|
||||
speed_infill = 45
|
||||
speed_layer_0 = 25
|
||||
speed_support = 45
|
||||
speed_support_interface = 35
|
||||
speed_travel = 60
|
||||
raft_airgap = 0.15
|
||||
layer_0_z_overlap = 0.04
|
||||
raft_base_speed = 15
|
||||
raft_interface_speed = 20
|
||||
raft_surface_speed = 35
|
||||
raft_surface_fan_speed = 100
|
||||
raft_base_fan_speed = 0
|
||||
raft_interface_fan_speed = 0
|
||||
cool_fan_speed = 100
|
||||
cool_fan_speed_0 = 100
|
Some files were not shown because too many files have changed in this diff Show More
Loading…
x
Reference in New Issue
Block a user