mirror of
https://github.com/Ultimaker/Cura.git
synced 2025-07-06 22:47:29 -06:00
Merge remote-tracking branch 'origin/5.9' into CURA-12188_build_plate_z_fighting
This commit is contained in:
commit
8bf6320ff0
25 changed files with 1089 additions and 973 deletions
|
@ -1,16 +1,16 @@
|
|||
version: "5.9.0-beta.1"
|
||||
version: "5.9.0-beta.2"
|
||||
requirements:
|
||||
- "cura_resources/5.9.0-beta.1"
|
||||
- "uranium/5.9.0-beta.1"
|
||||
- "curaengine/5.9.0-beta.1"
|
||||
- "cura_binary_data/5.9.0-beta.1"
|
||||
- "fdm_materials/5.9.0-beta.1"
|
||||
- "cura_resources/5.9.0-beta.2"
|
||||
- "uranium/5.9.0-beta.2"
|
||||
- "curaengine/5.9.0-beta.2"
|
||||
- "cura_binary_data/5.9.0-beta.2"
|
||||
- "fdm_materials/5.9.0-beta.2"
|
||||
- "dulcificum/0.2.1"
|
||||
- "pysavitar/5.3.0"
|
||||
- "pynest2d/5.3.0"
|
||||
- "native_cad_plugin/2.0.0"
|
||||
requirements_internal:
|
||||
- "fdm_materials/5.9.0-beta.1"
|
||||
- "fdm_materials/5.9.0-beta.2"
|
||||
- "cura_private_data/(latest)@internal/testing"
|
||||
urls:
|
||||
default:
|
||||
|
@ -124,6 +124,19 @@ pyinstaller:
|
|||
Windows: "./icons/Cura.ico"
|
||||
Macos: "./icons/cura.icns"
|
||||
Linux: "./icons/cura-128.png"
|
||||
blacklist:
|
||||
- [ "assimp" ]
|
||||
- [ "qt", "charts" ]
|
||||
- [ "qt", "coap" ]
|
||||
- [ "qt", "data", "vis" ]
|
||||
- [ "qt", "lab", "animat" ]
|
||||
- [ "qt", "mqtt" ]
|
||||
- [ "qt", "net", "auth" ]
|
||||
- [ "qt", "quick3d" ]
|
||||
- [ "qt", "timeline" ]
|
||||
- [ "qt", "virt", "key" ]
|
||||
- [ "qt", "wayland", "compos" ]
|
||||
- [ "qt", "5", "compat" ]
|
||||
pycharm_targets:
|
||||
- jinja_path: .run_templates/pycharm_cura_run.run.xml.jinja
|
||||
module_name: Cura
|
||||
|
|
79
conanfile.py
79
conanfile.py
|
@ -217,6 +217,62 @@ class CuraConan(ConanFile):
|
|||
python_installs=self._python_installs(),
|
||||
))
|
||||
|
||||
def _delete_unwanted_binaries(self, root):
|
||||
dynamic_binary_file_exts = [".so", ".dylib", ".dll", ".pyd", ".pyi"]
|
||||
prohibited = [
|
||||
"qt5compat",
|
||||
"qtcharts",
|
||||
"qtcoap",
|
||||
"qtdatavis3d",
|
||||
"qtlottie",
|
||||
"qtmqtt",
|
||||
"qtnetworkauth",
|
||||
"qtquick3d",
|
||||
"qtquick3dphysics",
|
||||
"qtquicktimeline",
|
||||
"qtvirtualkeyboard",
|
||||
"qtwayland"
|
||||
]
|
||||
forbiddens = [x.encode() for x in prohibited]
|
||||
to_remove_files = []
|
||||
to_remove_dirs = []
|
||||
for root, dir_, files in os.walk(root):
|
||||
for filename in files:
|
||||
if not any([(x in filename) for x in dynamic_binary_file_exts]):
|
||||
continue
|
||||
pathname = os.path.join(root, filename)
|
||||
still_exist = True
|
||||
for forbidden in prohibited:
|
||||
if forbidden.lower() in str(pathname).lower():
|
||||
to_remove_files.append(pathname)
|
||||
still_exist = False
|
||||
break
|
||||
if not still_exist:
|
||||
continue
|
||||
with open(pathname, "rb") as file:
|
||||
bytez = file.read().lower()
|
||||
for forbidden in forbiddens:
|
||||
if bytez.find(forbidden) >= 0:
|
||||
to_remove_files.append(pathname)
|
||||
for dirname in dir_:
|
||||
for forbidden in prohibited:
|
||||
if forbidden.lower() == str(dirname).lower():
|
||||
pathname = os.path.join(root, dirname)
|
||||
to_remove_dirs.append(pathname)
|
||||
break
|
||||
for file in to_remove_files:
|
||||
try:
|
||||
os.remove(file)
|
||||
print(f"deleted file: {file}")
|
||||
except Exception as ex:
|
||||
print(f"WARNING: Attempt to delete file {file} results in: {str(ex)}")
|
||||
for dir_ in to_remove_dirs:
|
||||
try:
|
||||
rmdir(self, dir_)
|
||||
print(f"deleted dir_: {dir_}")
|
||||
except Exception as ex:
|
||||
print(f"WARNING: Attempt to delete folder {dir_} results in: {str(ex)}")
|
||||
|
||||
def _generate_pyinstaller_spec(self, location, entrypoint_location, icon_path, entitlements_file):
|
||||
pyinstaller_metadata = self.conan_data["pyinstaller"]
|
||||
datas = []
|
||||
|
@ -281,13 +337,27 @@ class CuraConan(ConanFile):
|
|||
version = self.conf.get("user.cura:version", default = self.version, check_type = str)
|
||||
cura_version = Version(version)
|
||||
|
||||
# filter all binary files in binaries on the blacklist
|
||||
blacklist = pyinstaller_metadata["blacklist"]
|
||||
filtered_binaries = [b for b in binaries if not any([all([(part in b[0].lower()) for part in parts]) for parts in blacklist])]
|
||||
|
||||
# In case the installer isn't actually pyinstaller (Windows at the moment), outright remove the offending files:
|
||||
specifically_delete = set(binaries) - set(filtered_binaries)
|
||||
for (unwanted_path, _) in specifically_delete:
|
||||
try:
|
||||
os.remove(unwanted_path)
|
||||
print(f"delete: {unwanted_path}")
|
||||
except Exception as ex:
|
||||
print(f"WARNING: Attempt to delete binary {unwanted_path} results in: {str(ex)}")
|
||||
|
||||
# Write the actual file:
|
||||
with open(os.path.join(location, "UltiMaker-Cura.spec"), "w") as f:
|
||||
f.write(pyinstaller.render(
|
||||
name = str(self.options.display_name).replace(" ", "-"),
|
||||
display_name = self._app_name,
|
||||
entrypoint = entrypoint_location,
|
||||
datas = datas,
|
||||
binaries = binaries,
|
||||
binaries = filtered_binaries,
|
||||
venv_script_path = str(self._script_dir),
|
||||
hiddenimports = pyinstaller_metadata["hiddenimports"],
|
||||
collect_all = pyinstaller_metadata["collect_all"],
|
||||
|
@ -405,8 +475,10 @@ class CuraConan(ConanFile):
|
|||
|
||||
for dependency in self.dependencies.host.values():
|
||||
for bindir in dependency.cpp_info.bindirs:
|
||||
self._delete_unwanted_binaries(bindir)
|
||||
copy(self, "*.dll", bindir, str(self._site_packages), keep_path = False)
|
||||
for libdir in dependency.cpp_info.libdirs:
|
||||
self._delete_unwanted_binaries(libdir)
|
||||
copy(self, "*.pyd", libdir, str(self._site_packages), keep_path = False)
|
||||
copy(self, "*.pyi", libdir, str(self._site_packages), keep_path = False)
|
||||
copy(self, "*.dylib", libdir, str(self._base_dir.joinpath("lib")), keep_path = False)
|
||||
|
@ -496,6 +568,11 @@ echo "CURA_APP_NAME={{ cura_app_name }}" >> ${{ env_prefix }}GITHUB_ENV
|
|||
|
||||
self._generate_cura_version(os.path.join(self._site_packages, "cura"))
|
||||
|
||||
self._delete_unwanted_binaries(self._site_packages)
|
||||
self._delete_unwanted_binaries(self.package_folder)
|
||||
self._delete_unwanted_binaries(self._base_dir)
|
||||
self._delete_unwanted_binaries(self._share_dir)
|
||||
|
||||
entitlements_file = "'{}'".format(Path(self.cpp_info.res_paths[2], "MacOS", "cura.entitlements"))
|
||||
self._generate_pyinstaller_spec(location = self._base_dir,
|
||||
entrypoint_location = "'{}'".format(os.path.join(self.package_folder, self.cpp_info.bindirs[0], self.conan_data["pyinstaller"]["runinfo"]["entrypoint"])).replace("\\", "\\\\"),
|
||||
|
|
|
@ -34,18 +34,12 @@ class FormatMaps:
|
|||
"asa": {"name": "ASA", "guid": "f79bc612-21eb-482e-ad6c-87d75bdde066"},
|
||||
"nylon12-cf": {"name": "Nylon 12 CF", "guid": "3c6f2877-71cc-4760-84e6-4b89ab243e3b"},
|
||||
"nylon-cf": {"name": "Nylon CF", "guid": "17abb865-ca73-4ccd-aeda-38e294c9c60b"},
|
||||
"nylon": {"name": "Nylon", "guid": "9475b03d-fd19-48a2-b7b5-be1fb46abb02"},
|
||||
"pc": {"name": "PC", "guid": "62414577-94d1-490d-b1e4-7ef3ec40db02"},
|
||||
"petg": {"name": "PETG", "guid": "2d004bbd-d1bb-47f8-beac-b066702d5273"},
|
||||
"pet": {"name": "PETG", "guid": "2d004bbd-d1bb-47f8-beac-b066702d5273"},
|
||||
"pla": {"name": "PLA", "guid": "abb9c58e-1f56-48d1-bd8f-055fde3a5b56"},
|
||||
"pva": {"name": "PVA", "guid": "add51ef2-86eb-4c39-afd5-5586564f0715"},
|
||||
"wss1": {"name": "RapidRinse", "guid": "a140ef8f-4f26-4e73-abe0-cfc29d6d1024"},
|
||||
"sr30": {"name": "SR-30", "guid": "77873465-83a9-4283-bc44-4e542b8eb3eb"},
|
||||
"bvoh": {"name": "BVOH", "guid": "923e604c-8432-4b09-96aa-9bbbd42207f4"},
|
||||
"cpe": {"name": "CPE", "guid": "da1872c1-b991-4795-80ad-bdac0f131726"},
|
||||
"hips": {"name": "HIPS", "guid": "a468d86a-220c-47eb-99a5-bbb47e514eb0"},
|
||||
"tpu": {"name": "TPU 95A", "guid": "19baa6a9-94ff-478b-b4a1-8157b74358d2"},
|
||||
"im-pla": {"name": "Tough", "guid": "96fca5d9-0371-4516-9e96-8e8182677f3c"}
|
||||
"im-pla": {"name": "Tough", "guid": "de031137-a8ca-4a72-bd1b-17bb964033ad"}
|
||||
# /!\ When changing this list, make sure the changes are reported accordingly on Digital Factory
|
||||
}
|
||||
|
||||
|
|
|
@ -250,7 +250,7 @@ class MakerbotWriter(MeshWriter):
|
|||
meta["preferences"] = dict()
|
||||
bounds = application.getBuildVolume().getBoundingBox()
|
||||
meta["preferences"]["instance0"] = {
|
||||
"machineBounds": [bounds.right, bounds.back, bounds.left, bounds.front] if bounds is not None else None,
|
||||
"machineBounds": [bounds.right, bounds.front, bounds.left, bounds.back] if bounds is not None else None,
|
||||
"printMode": CuraApplication.getInstance().getIntentManager().currentIntentCategory,
|
||||
}
|
||||
|
||||
|
|
|
@ -31,16 +31,6 @@ PyQt6-Qt6==6.6.0 \
|
|||
--hash=sha256:8cb30d64a4d32465ea1686bc827cbe452225fb387c4873356b0fa7b9ae63534f \
|
||||
--hash=sha256:a151f34712cd645111e89cb30b02e5fb69c9dcc3603ab3c03a561e874bd7cbcf \
|
||||
--hash=sha256:e5483ae04bf107411c7469f1be9f9e2eb9840303e788b3ac524fe30af90d45f4
|
||||
PyQt6-NetworkAuth==6.6.0 \
|
||||
--hash=sha256:7b90b81792fe53105287c8cbb5e4b22bc44a482268ffb7d3e33f852807f86182 \
|
||||
--hash=sha256:c7e2335159aa795e2fe6fb069ccce6308672ab80f26c50fab57caf957371cbb5 \
|
||||
--hash=sha256:cdfc0bfaea16a9e09f075bdafefb996aa9fdec392052ba4fb3cbac233c1958fb \
|
||||
--hash=sha256:f60ff9a62f5129dc2a9d4c495fb47f9a03e4dfb666b50fb7d61f46e89bf7b6a2
|
||||
PyQt6-NetworkAuth-Qt6==6.6.0 \
|
||||
--hash=sha256:481d9093e1fb1ac6843d8beabcd359cc34b74b9a2cbb3e2b68d96bd3f178d4e0 \
|
||||
--hash=sha256:4cc48fd375730a0ba5fbed9d64abb2914f587377560a78a63aff893f9e276a45 \
|
||||
--hash=sha256:5006deabf55304d4a3e0b3c954f93e5835546b11e789d14653a2493d12d3a063 \
|
||||
--hash=sha256:bcd56bfc892fec961c51eba3c0bf32ba8317a762d9e254d3830569611ed569d6
|
||||
|
||||
certifi==2023.5.7; \
|
||||
--hash=sha256:c6c2e98f5c7869efca1f8916fed228dd91539f9f1b444c314c06eef02980c716
|
||||
|
|
|
@ -1 +1 @@
|
|||
version: "5.9.0-beta.1"
|
||||
version: "5.9.0-beta.2"
|
||||
|
|
|
@ -9,8 +9,8 @@
|
|||
"manufacturer": "Eazao",
|
||||
"file_formats": "text/x-gcode",
|
||||
"has_machine_quality": false,
|
||||
"has_materials": false,
|
||||
"machine_extruder_trains": { "0": "eazao_m500_extruder_0" },
|
||||
"preferred_material": "eazao_clay",
|
||||
"preferred_quality_type": "normal"
|
||||
},
|
||||
"overrides":
|
||||
|
@ -19,7 +19,6 @@
|
|||
"acceleration_travel": { "value": 300 },
|
||||
"adhesion_type": { "default_value": "'none'" },
|
||||
"bottom_layers": { "value": 2 },
|
||||
"cool_fan_enabled": { "value": false },
|
||||
"infill_sparse_density": { "value": 0 },
|
||||
"initial_bottom_layers": { "value": 2 },
|
||||
"jerk_print": { "value": 10 },
|
||||
|
@ -58,7 +57,6 @@
|
|||
"retraction_amount": { "value": 7 },
|
||||
"retraction_combing": { "value": "'noskin'" },
|
||||
"retraction_count_max": { "value": 100 },
|
||||
"retraction_enable": { "value": false },
|
||||
"retraction_extrusion_window": { "value": 10 },
|
||||
"retraction_hop": { "value": 0.2 },
|
||||
"speed_print": { "value": 20.0 },
|
||||
|
|
|
@ -9,8 +9,8 @@
|
|||
"manufacturer": "Eazao",
|
||||
"file_formats": "text/x-gcode",
|
||||
"has_machine_quality": false,
|
||||
"has_materials": false,
|
||||
"machine_extruder_trains": { "0": "eazao_m600_extruder_0" },
|
||||
"preferred_material": "eazao_clay",
|
||||
"preferred_quality_type": "normal"
|
||||
},
|
||||
"overrides":
|
||||
|
@ -19,7 +19,6 @@
|
|||
"acceleration_travel": { "value": 300 },
|
||||
"adhesion_type": { "default_value": "'none'" },
|
||||
"bottom_layers": { "value": 2 },
|
||||
"cool_fan_enabled": { "value": false },
|
||||
"infill_sparse_density": { "value": 0 },
|
||||
"initial_bottom_layers": { "value": 2 },
|
||||
"jerk_print": { "value": 10 },
|
||||
|
@ -58,7 +57,6 @@
|
|||
"retraction_amount": { "value": 7 },
|
||||
"retraction_combing": { "value": "'noskin'" },
|
||||
"retraction_count_max": { "value": 100 },
|
||||
"retraction_enable": { "value": false },
|
||||
"retraction_extrusion_window": { "value": 10 },
|
||||
"retraction_hop": { "value": 0.2 },
|
||||
"speed_print": { "value": 20.0 },
|
||||
|
|
|
@ -9,8 +9,8 @@
|
|||
"manufacturer": "Eazao",
|
||||
"file_formats": "text/x-gcode",
|
||||
"has_machine_quality": false,
|
||||
"has_materials": false,
|
||||
"machine_extruder_trains": { "0": "eazao_m700_extruder_0" },
|
||||
"preferred_material": "eazao_clay",
|
||||
"preferred_quality_type": "normal"
|
||||
},
|
||||
"overrides":
|
||||
|
@ -19,7 +19,6 @@
|
|||
"acceleration_travel": { "value": 300 },
|
||||
"adhesion_type": { "default_value": "none" },
|
||||
"bottom_layers": { "value": 2 },
|
||||
"cool_fan_enabled": { "value": false },
|
||||
"infill_sparse_density": { "value": 0 },
|
||||
"initial_bottom_layers": { "value": 2 },
|
||||
"jerk_print": { "value": 10 },
|
||||
|
@ -58,7 +57,6 @@
|
|||
"retraction_amount": { "value": 7 },
|
||||
"retraction_combing": { "value": "'noskin'" },
|
||||
"retraction_count_max": { "value": 100 },
|
||||
"retraction_enable": { "value": false },
|
||||
"retraction_extrusion_window": { "value": 10 },
|
||||
"retraction_hop": { "value": 0.2 },
|
||||
"speed_print": { "value": 20.0 },
|
||||
|
|
|
@ -9,8 +9,8 @@
|
|||
"manufacturer": "Eazao",
|
||||
"file_formats": "text/x-gcode",
|
||||
"has_machine_quality": false,
|
||||
"has_materials": false,
|
||||
"machine_extruder_trains": { "0": "eazao_potter_extruder_0" },
|
||||
"preferred_material": "eazao_clay",
|
||||
"preferred_quality_type": "normal"
|
||||
},
|
||||
"overrides":
|
||||
|
@ -19,7 +19,6 @@
|
|||
"acceleration_travel": { "value": 300 },
|
||||
"adhesion_type": { "default_value": "'none'" },
|
||||
"bottom_layers": { "value": 3 },
|
||||
"cool_fan_enabled": { "value": false },
|
||||
"infill_sparse_density": { "value": 0 },
|
||||
"initial_bottom_layers": { "value": 3 },
|
||||
"jerk_print": { "value": 10 },
|
||||
|
@ -58,7 +57,6 @@
|
|||
"retraction_amount": { "value": 7 },
|
||||
"retraction_combing": { "value": "'noskin'" },
|
||||
"retraction_count_max": { "value": 100 },
|
||||
"retraction_enable": { "value": false },
|
||||
"retraction_extrusion_window": { "value": 10 },
|
||||
"retraction_hop": { "value": 0.2 },
|
||||
"speed_print": { "value": 25.0 },
|
||||
|
|
|
@ -9,8 +9,8 @@
|
|||
"manufacturer": "Eazao",
|
||||
"file_formats": "text/x-gcode",
|
||||
"has_machine_quality": false,
|
||||
"has_materials": false,
|
||||
"machine_extruder_trains": { "0": "eazao_zero_extruder_0" },
|
||||
"preferred_material": "eazao_clay",
|
||||
"preferred_quality_type": "normal"
|
||||
},
|
||||
"overrides":
|
||||
|
@ -20,7 +20,6 @@
|
|||
"acceleration_travel": { "value": 300 },
|
||||
"adhesion_type": { "default_value": "none" },
|
||||
"bottom_layers": { "value": 3 },
|
||||
"cool_fan_enabled": { "value": false },
|
||||
"infill_sparse_density": { "value": 0 },
|
||||
"initial_bottom_layers": { "value": 3 },
|
||||
"jerk_print": { "value": 10 },
|
||||
|
@ -58,9 +57,7 @@
|
|||
"optimize_wall_printing_order": { "value": "True" },
|
||||
"retraction_amount": { "value": 7 },
|
||||
"retraction_combing": { "value": "'noskin'" },
|
||||
"retraction_combing_max_distance": { "value": 0 },
|
||||
"retraction_count_max": { "value": 100 },
|
||||
"retraction_enable": { "value": false },
|
||||
"retraction_extrusion_window": { "value": 10 },
|
||||
"retraction_hop": { "value": 0.2 },
|
||||
"speed_print": { "value": 25.0 },
|
||||
|
|
|
@ -8987,7 +8987,7 @@
|
|||
"type": "float",
|
||||
"default_value": 20.0,
|
||||
"minimum_value": 1.0,
|
||||
"maximum_value": 1000.0,
|
||||
"maximum_value": 100000.0,
|
||||
"unit": "mm/s\u00b2",
|
||||
"limit_to_extruder": "wall_0_extruder_nr",
|
||||
"settable_per_extruder": true,
|
||||
|
@ -9014,7 +9014,7 @@
|
|||
"type": "float",
|
||||
"default_value": 20.0,
|
||||
"minimum_value": 1.0,
|
||||
"maximum_value": 1000.0,
|
||||
"maximum_value": 100000.0,
|
||||
"unit": "mm/s\u00b2",
|
||||
"limit_to_extruder": "wall_0_extruder_nr",
|
||||
"settable_per_extruder": true,
|
||||
|
|
|
@ -16,6 +16,7 @@
|
|||
"chromatik_",
|
||||
"3D-Fuel_",
|
||||
"bestfilament_",
|
||||
"eazao_",
|
||||
"emotiontech_",
|
||||
"eryone_",
|
||||
"eSUN_",
|
||||
|
|
|
@ -16,6 +16,7 @@
|
|||
"chromatik_",
|
||||
"3D-Fuel_",
|
||||
"bestfilament_",
|
||||
"eazao_",
|
||||
"emotiontech_",
|
||||
"eryone_",
|
||||
"eSUN_",
|
||||
|
|
|
@ -16,6 +16,7 @@
|
|||
"chromatik_",
|
||||
"3D-Fuel_",
|
||||
"bestfilament_",
|
||||
"eazao_",
|
||||
"emotiontech_",
|
||||
"eryone_",
|
||||
"eSUN_",
|
||||
|
|
|
@ -16,6 +16,7 @@
|
|||
"chromatik_",
|
||||
"3D-Fuel_",
|
||||
"bestfilament_",
|
||||
"eazao_",
|
||||
"emotiontech_",
|
||||
"eryone_",
|
||||
"eSUN_",
|
||||
|
|
|
@ -16,6 +16,7 @@
|
|||
"chromatik_",
|
||||
"3D-Fuel_",
|
||||
"bestfilament_",
|
||||
"eazao_",
|
||||
"emotiontech_",
|
||||
"eryone_",
|
||||
"eSUN_",
|
||||
|
|
|
@ -5879,11 +5879,11 @@ msgstr "Numéro du ventilateur de volume de construction"
|
|||
|
||||
msgctxt "scarf_split_distance description"
|
||||
msgid "Determines the length of each step in the flow change when extruding along the scarf seam. A smaller distance will result in a more precise but also more complex G-code."
|
||||
msgstr "Détermine la longueur de chaque étape du changement de flux lors de l'extrusion le long de la couture du foulard. Une distance plus petite se traduira par un code G plus précis mais aussi plus complexe."
|
||||
msgstr "Détermine la longueur de chaque étape du changement de flux lors de l'extrusion le long de la jointure biaisée. Une distance plus petite se traduira par un G-code plus précis mais aussi plus complexe."
|
||||
|
||||
msgctxt "scarf_joint_seam_length description"
|
||||
msgid "Determines the length of the scarf seam, a seam type that should make the Z seam less visible. Must be higher than 0 to be effective."
|
||||
msgstr "Détermine la longueur du joint d'écharpe, un type de joint qui devrait rendre le joint Z moins visible. La valeur doit être supérieure à 0 pour être efficace."
|
||||
msgstr "Détermine la longueur de la jointure biaisée, un type de jointure qui devrait rendre la jointure en Z moins visible. La valeur doit être supérieure à 0 pour être active."
|
||||
|
||||
msgctxt "gradual_flow_discretisation_step_size description"
|
||||
msgid "Duration of each step in the gradual flow change"
|
||||
|
@ -5955,15 +5955,15 @@ msgstr "Réinitialiser la durée du débit"
|
|||
|
||||
msgctxt "scarf_joint_seam_length label"
|
||||
msgid "Scarf Seam Length"
|
||||
msgstr "Longueur de la couture de l'écharpe"
|
||||
msgstr "Longueur de la jointure biaisée"
|
||||
|
||||
msgctxt "scarf_joint_seam_start_height_ratio label"
|
||||
msgid "Scarf Seam Start Height"
|
||||
msgstr "Hauteur de départ de la couture de l'écharpe"
|
||||
msgstr "Hauteur de départ de la jointure biaisée"
|
||||
|
||||
msgctxt "scarf_split_distance label"
|
||||
msgid "Scarf Seam Step Length"
|
||||
msgstr "Longueur du pas de couture de l'écharpe"
|
||||
msgstr "Longueur du pas de la jointure biaisée"
|
||||
|
||||
msgctxt "build_fan_full_at_height description"
|
||||
msgid "The height at which the fans spin on regular fan speed. At the layers below the fan speed gradually increases from Initial Fan Speed to Regular Fan Speed."
|
||||
|
@ -5979,7 +5979,7 @@ msgstr "Le numéro du ventilateur qui refroidit le volume de construction. S'il
|
|||
|
||||
msgctxt "scarf_joint_seam_start_height_ratio description"
|
||||
msgid "The ratio of the selected layer height at which the scarf seam will begin. A lower number will result in a larger seam height. Must be lower than 100 to be effective."
|
||||
msgstr "Le ratio de la hauteur de couche sélectionnée à laquelle la couture de l'écharpe commencera. Un nombre inférieur entraînera une plus grande hauteur de couture. Il doit être inférieur à 100 pour être efficace."
|
||||
msgstr "Le ratio de la hauteur de couche sélectionnée à laquelle la jointure biaisée commencera. Un nombre inférieur entraînera une plus grande hauteur de biais. Il doit être inférieur à 100 pour être actif."
|
||||
|
||||
msgctxt "wall_0_acceleration description"
|
||||
msgid "This is the acceleration with which to reach the top speed when printing an outer wall."
|
||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -3,9 +3,9 @@ msgstr ""
|
|||
"Project-Id-Version: PACKAGE VERSION\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2024-03-13 09:02+0100\n"
|
||||
"PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n"
|
||||
"Last-Translator: FULL NAME <EMAIL@ADDRESS>\n"
|
||||
"Language-Team: LANGUAGE <LL@li.org>\n"
|
||||
"PO-Revision-Date: 2024-10-27 13:25+0000\n"
|
||||
"Last-Translator: h1data <h1data@users.noreply.github.com>\n"
|
||||
"Language-Team: Japanese <https://github.com/h1data/Cura/wiki>\n"
|
||||
"Language: ja_JP\n"
|
||||
"MIME-Version: 1.0\n"
|
||||
"Content-Type: text/plain; charset=UTF-8\n"
|
||||
|
@ -14,15 +14,15 @@ msgstr ""
|
|||
|
||||
msgctxt "platform_adhesion description"
|
||||
msgid "Adhesion"
|
||||
msgstr "密着性"
|
||||
msgstr "接着"
|
||||
|
||||
msgctxt "material_diameter description"
|
||||
msgid "Adjusts the diameter of the filament used. Match this value with the diameter of the used filament."
|
||||
msgstr "使用するフィラメントの太さの調整 この値を使用するフィラメントの太さと一致させてください。"
|
||||
msgstr "使用するフィラメントの太さの調整。この値を使用するフィラメントの太さと一致させてください。"
|
||||
|
||||
msgctxt "platform_adhesion label"
|
||||
msgid "Build Plate Adhesion"
|
||||
msgstr "ビルドプレート密着性"
|
||||
msgstr "ビルドプレートとの接着"
|
||||
|
||||
msgctxt "material_diameter label"
|
||||
msgid "Diameter"
|
||||
|
@ -30,7 +30,7 @@ msgstr "直径"
|
|||
|
||||
msgctxt "machine_extruder_end_code description"
|
||||
msgid "End g-code to execute when switching away from this extruder."
|
||||
msgstr "このエクストルーダーから切り替えた時に G-Code の終了を実行します。"
|
||||
msgstr "エクストルーダーの最終位置をこのエクストルーダーから切り替えた時に終了G-Codeを実行します。"
|
||||
|
||||
msgctxt "extruder_nr label"
|
||||
msgid "Extruder"
|
||||
|
@ -38,7 +38,7 @@ msgstr "エクストルーダー"
|
|||
|
||||
msgctxt "machine_extruder_end_code label"
|
||||
msgid "Extruder End G-Code"
|
||||
msgstr "エクストルーダーがG-Codeを終了する"
|
||||
msgstr "エクストルーダー終了G-Code"
|
||||
|
||||
msgctxt "machine_extruder_end_code_duration label"
|
||||
msgid "Extruder End G-Code Duration"
|
||||
|
@ -46,15 +46,15 @@ msgstr "エクストルーダー終了Gコードの時間"
|
|||
|
||||
msgctxt "machine_extruder_end_pos_abs label"
|
||||
msgid "Extruder End Position Absolute"
|
||||
msgstr "エクストルーダーのエンドポジションの絶対値"
|
||||
msgstr "エクストルーダー終了位置の絶対値"
|
||||
|
||||
msgctxt "machine_extruder_end_pos_x label"
|
||||
msgid "Extruder End Position X"
|
||||
msgstr "エクストルーダーエンド位置X"
|
||||
msgstr "エクストルーダー終了位置X座標"
|
||||
|
||||
msgctxt "machine_extruder_end_pos_y label"
|
||||
msgid "Extruder End Position Y"
|
||||
msgstr "エクストルーダーエンド位置Y"
|
||||
msgstr "エクストルーダー終了位置Y座標"
|
||||
|
||||
msgctxt "extruder_prime_pos_x label"
|
||||
msgid "Extruder Prime X Position"
|
||||
|
@ -74,7 +74,7 @@ msgstr "エクストルーダープリント冷却ファン"
|
|||
|
||||
msgctxt "machine_extruder_start_code label"
|
||||
msgid "Extruder Start G-Code"
|
||||
msgstr "エクストルーダーがG-Codeを開始する"
|
||||
msgstr "エクストルーダー開始G-Code"
|
||||
|
||||
msgctxt "machine_extruder_start_code_duration label"
|
||||
msgid "Extruder Start G-Code Duration"
|
||||
|
@ -82,15 +82,15 @@ msgstr "エクストルーダー開始Gコードの時間"
|
|||
|
||||
msgctxt "machine_extruder_start_pos_abs label"
|
||||
msgid "Extruder Start Position Absolute"
|
||||
msgstr "エクストルーダーのスタート位置の絶対値"
|
||||
msgstr "エクストルーダーの開始位置の絶対値"
|
||||
|
||||
msgctxt "machine_extruder_start_pos_x label"
|
||||
msgid "Extruder Start Position X"
|
||||
msgstr "エクストルーダー スタート位置X"
|
||||
msgstr "エクストルーダー開始位置X座標"
|
||||
|
||||
msgctxt "machine_extruder_start_pos_y label"
|
||||
msgid "Extruder Start Position Y"
|
||||
msgstr "エクストルーダースタート位置Y"
|
||||
msgstr "エクストルーダー開始位置Y座標"
|
||||
|
||||
msgctxt "machine_settings label"
|
||||
msgid "Machine"
|
||||
|
@ -98,23 +98,23 @@ msgstr "プリンター"
|
|||
|
||||
msgctxt "machine_settings description"
|
||||
msgid "Machine specific settings"
|
||||
msgstr "プリンター詳細設定"
|
||||
msgstr "プリンター固有の設定"
|
||||
|
||||
msgctxt "machine_extruder_end_pos_abs description"
|
||||
msgid "Make the extruder ending position absolute rather than relative to the last-known location of the head."
|
||||
msgstr "ヘッドの既存の認識位置よりもエクストルーダーの最終位置を絶対位置とする。"
|
||||
msgstr "エクストルーダーの最終位置を、ヘッドの最後の地点からの相対位置ではなく絶対値にします。"
|
||||
|
||||
msgctxt "machine_extruder_start_pos_abs description"
|
||||
msgid "Make the extruder starting position absolute rather than relative to the last-known location of the head."
|
||||
msgstr "ヘッドの最後の既知位置からではなく、エクストルーダーのスタート位置を絶対位置にします。"
|
||||
msgstr "エクストルーダーの開始位置を、ヘッドの最後の地点からの相対位置ではなく、絶対値にします。"
|
||||
|
||||
msgctxt "material description"
|
||||
msgid "Material"
|
||||
msgstr "マテリアル"
|
||||
msgstr "材料"
|
||||
|
||||
msgctxt "material label"
|
||||
msgid "Material"
|
||||
msgstr "マテリアル"
|
||||
msgstr "材料"
|
||||
|
||||
msgctxt "machine_nozzle_size label"
|
||||
msgid "Nozzle Diameter"
|
||||
|
@ -126,31 +126,31 @@ msgstr "ノズルID"
|
|||
|
||||
msgctxt "machine_nozzle_offset_x label"
|
||||
msgid "Nozzle X Offset"
|
||||
msgstr "Xノズルオフセット"
|
||||
msgstr "ノズルX座標オフセット"
|
||||
|
||||
msgctxt "machine_nozzle_offset_y label"
|
||||
msgid "Nozzle Y Offset"
|
||||
msgstr "Yノズルオフセット"
|
||||
msgstr "ノズルY座標オフセット"
|
||||
|
||||
msgctxt "machine_extruder_start_code description"
|
||||
msgid "Start g-code to execute when switching to this extruder."
|
||||
msgstr "このエクストルーダーに切り替えた時に G-Code の開始を実行します。"
|
||||
msgstr "このエクストルーダーに切り替えた時に開始G-Codeを実行します。"
|
||||
|
||||
msgctxt "extruder_prime_pos_x description"
|
||||
msgid "The X coordinate of the position where the nozzle primes at the start of printing."
|
||||
msgstr "プリント開始時のノズルの位置を表すX座標。"
|
||||
msgstr "プリント開始時における主要ノズル地点のX座標。"
|
||||
|
||||
msgctxt "extruder_prime_pos_y description"
|
||||
msgid "The Y coordinate of the position where the nozzle primes at the start of printing."
|
||||
msgstr "プリント開始時にノズル位置を表すY座標。"
|
||||
msgstr "プリント開始時における主要ノズル地点のY座標。"
|
||||
|
||||
msgctxt "extruder_prime_pos_z description"
|
||||
msgid "The Z coordinate of the position where the nozzle primes at the start of printing."
|
||||
msgstr "印刷開始時にノズルがポジションを確認するZ座標。"
|
||||
msgstr "プリント開始時における主要ノズル地点のZ座標。"
|
||||
|
||||
msgctxt "extruder_nr description"
|
||||
msgid "The extruder train used for printing. This is used in multi-extrusion."
|
||||
msgstr "エクストルーダーの列。デュアルノズル印刷時に使用。"
|
||||
msgstr "印刷に使用するエクストルーダーの列。デュアルノズル印刷時に使用。"
|
||||
|
||||
msgctxt "machine_nozzle_size description"
|
||||
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
|
||||
|
@ -158,7 +158,7 @@ msgstr "ノズルの内径。標準以外のノズルを使用する場合は、
|
|||
|
||||
msgctxt "machine_nozzle_id description"
|
||||
msgid "The nozzle ID for an extruder train, such as \"AA 0.4\" and \"BB 0.8\"."
|
||||
msgstr "\"AA 0.4\"や\"BB 0.8\"などのノズルID。"
|
||||
msgstr "\"AA 0.4\" や \"BB 0.8\" など、エクストルーダーのノズルID。"
|
||||
|
||||
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."
|
||||
|
@ -166,35 +166,35 @@ msgstr "このエクストルーダーに関連付けられているプリント
|
|||
|
||||
msgctxt "machine_extruder_end_code_duration description"
|
||||
msgid "The time it takes to execute the end g-code, when switching away from this extruder."
|
||||
msgstr "このエクストルーダーから切り替えるときに,終了Gコードを実行するのにかかる時間。"
|
||||
msgstr "このエクストルーダーから切り替えるときに、終了Gコードを実行するのにかかる時間。"
|
||||
|
||||
msgctxt "machine_extruder_start_code_duration description"
|
||||
msgid "The time it'll take to execute the start g-code, when switching to this extruder."
|
||||
msgstr "このエクストルーダーに切り替えるときに,開始Gコードを実行するのにかかる時間。"
|
||||
msgstr "このエクストルーダーに切り替えるときに、開始Gコードを実行するのにかかる時間。"
|
||||
|
||||
msgctxt "machine_extruder_end_pos_x description"
|
||||
msgid "The x-coordinate of the ending position when turning the extruder off."
|
||||
msgstr "エクストルーダーを切った際のX座標の最終位置。"
|
||||
msgstr "エクストルーダーをオフにする際の終了位置X座標。"
|
||||
|
||||
msgctxt "machine_nozzle_offset_x description"
|
||||
msgid "The x-coordinate of the offset of the nozzle."
|
||||
msgstr "ノズルのX軸のオフセット。"
|
||||
msgstr "ノズルのX座標のオフセット。"
|
||||
|
||||
msgctxt "machine_extruder_start_pos_x description"
|
||||
msgid "The x-coordinate of the starting position when turning the extruder on."
|
||||
msgstr "エクストルーダーのX座標のスタート位置。"
|
||||
msgstr "エクストルーダーをオンにする際の開始位置X座標。"
|
||||
|
||||
msgctxt "machine_extruder_end_pos_y description"
|
||||
msgid "The y-coordinate of the ending position when turning the extruder off."
|
||||
msgstr "エクストルーダーを切った際のY座標の最終位置。"
|
||||
msgstr "エクストルーダーをオフにする際の終了位置Y座標。"
|
||||
|
||||
msgctxt "machine_nozzle_offset_y description"
|
||||
msgid "The y-coordinate of the offset of the nozzle."
|
||||
msgstr "ノズルのY軸のオフセット。"
|
||||
msgstr "ノズルのY座標のオフセット。"
|
||||
|
||||
msgctxt "machine_extruder_start_pos_y description"
|
||||
msgid "The y-coordinate of the starting position when turning the extruder on."
|
||||
msgstr "エクストルーダーのY座標のスタート位置。"
|
||||
msgstr "エクストルーダーをオンにする際の開始位置Y座標。"
|
||||
|
||||
msgctxt "machine_nozzle_head_distance label"
|
||||
msgid "Nozzle Length"
|
||||
|
@ -202,4 +202,4 @@ msgstr "ノズルの長さ"
|
|||
|
||||
msgctxt "machine_nozzle_head_distance description"
|
||||
msgid "The height difference between the tip of the nozzle and the lowest part of the print head."
|
||||
msgstr "ノズルの先端とプリントヘッドの最も低い部分との高低差。"
|
||||
msgstr "ノズル先端とプリントヘッドの最下部との高さの差。"
|
||||
|
|
File diff suppressed because it is too large
Load diff
|
@ -8,7 +8,7 @@ msgstr ""
|
|||
"Project-Id-Version: Cura 5.0\n"
|
||||
"Report-Msgid-Bugs-To: \n"
|
||||
"POT-Creation-Date: 2024-10-09 14:27+0200\n"
|
||||
"PO-Revision-Date: 2024-07-23 03:24+0200\n"
|
||||
"PO-Revision-Date: 2024-10-28 04:18+0100\n"
|
||||
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language: pt_BR\n"
|
||||
|
@ -1566,7 +1566,7 @@ msgstr "Exportar Material"
|
|||
|
||||
msgctxt "@action:inmenu menubar:help"
|
||||
msgid "Export Package For Technical Support"
|
||||
msgstr ""
|
||||
msgstr "Exportar Pacote Para Suporte Técnico"
|
||||
|
||||
msgctxt "@title:window"
|
||||
msgid "Export Profile"
|
||||
|
@ -5054,11 +5054,11 @@ msgstr "Não foi possível ler o arquivo de dados de exemplo."
|
|||
|
||||
msgctxt "@info:status"
|
||||
msgid "Unable to send the model data to the engine. Please try again, or contact support."
|
||||
msgstr ""
|
||||
msgstr "Não foi possível enviar os dados de modelo para o engine. Por favor tente novamente ou contacte o suporte."
|
||||
|
||||
msgctxt "@info:status"
|
||||
msgid "Unable to send the model data to the engine. Please try to use a less detailed model, or reduce the number of instances."
|
||||
msgstr ""
|
||||
msgstr "Não foi possível enviar os dados do modelo para o engine. Por favor use um modelo menos detalhado ou reduza o número de instâncias."
|
||||
|
||||
msgctxt "@info:title"
|
||||
msgid "Unable to slice"
|
||||
|
@ -5323,7 +5323,7 @@ msgstr "Atualiza configurações do Cura 5.6 para o Cura 5.7."
|
|||
|
||||
msgctxt "description"
|
||||
msgid "Upgrades configurations from Cura 5.8 to Cura 5.9."
|
||||
msgstr ""
|
||||
msgstr "Atualiza configurações do Cura 5.8 para o Cura 5.9."
|
||||
|
||||
msgctxt "@action:button"
|
||||
msgid "Upload custom Firmware"
|
||||
|
@ -5471,7 +5471,7 @@ msgstr "Atualização de Versão de 5.6 para 5.7"
|
|||
|
||||
msgctxt "name"
|
||||
msgid "Version Upgrade 5.8 to 5.9"
|
||||
msgstr ""
|
||||
msgstr "Atualização de Versão de 5.8 para 5.9"
|
||||
|
||||
msgctxt "@button"
|
||||
msgid "View printers in Digital Factory"
|
||||
|
|
|
@ -7,7 +7,7 @@ msgstr ""
|
|||
"Project-Id-Version: Cura 5.1\n"
|
||||
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2024-10-09 14:27+0000\n"
|
||||
"PO-Revision-Date: 2024-04-01 22:39+0200\n"
|
||||
"PO-Revision-Date: 2024-10-28 04:20+0100\n"
|
||||
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language: pt_BR\n"
|
||||
|
@ -131,7 +131,7 @@ msgstr "ID do Bico"
|
|||
|
||||
msgctxt "machine_nozzle_head_distance label"
|
||||
msgid "Nozzle Length"
|
||||
msgstr ""
|
||||
msgstr "Comprimento do Bico"
|
||||
|
||||
msgctxt "machine_nozzle_offset_x label"
|
||||
msgid "Nozzle X Offset"
|
||||
|
@ -163,7 +163,7 @@ msgstr "O extrusor usado para impressão. Isto é usado em multi-extrusão."
|
|||
|
||||
msgctxt "machine_nozzle_head_distance description"
|
||||
msgid "The height difference between the tip of the nozzle and the lowest part of the print head."
|
||||
msgstr ""
|
||||
msgstr "A diferença de altura entre a ponta do bico e a parte inferior da cabeça de impressão."
|
||||
|
||||
msgctxt "machine_nozzle_size description"
|
||||
msgid "The inner diameter of the nozzle. Change this setting when using a non-standard nozzle size."
|
||||
|
|
|
@ -7,7 +7,7 @@ msgstr ""
|
|||
"Project-Id-Version: Cura 5.7\n"
|
||||
"Report-Msgid-Bugs-To: plugins@ultimaker.com\n"
|
||||
"POT-Creation-Date: 2024-10-09 14:27+0000\n"
|
||||
"PO-Revision-Date: 2024-07-24 04:19+0200\n"
|
||||
"PO-Revision-Date: 2024-10-29 03:52+0100\n"
|
||||
"Last-Translator: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language-Team: Cláudio Sampaio <patola@gmail.com>\n"
|
||||
"Language: pt_BR\n"
|
||||
|
@ -99,7 +99,7 @@ msgstr "Camadas adaptativas fazem a computação das alturas de camada depender
|
|||
|
||||
msgctxt "extra_infill_lines_to_support_skins description"
|
||||
msgid "Add extra lines into the infill pattern to support skins above. This option prevents holes or plastic blobs that sometime show in complex shaped skins due to the infill below not correctly supporting the skin layer being printed above. 'Walls' supports just the outlines of the skin, whereas 'Walls and Lines' also supports the ends of the lines that make up the skin."
|
||||
msgstr ""
|
||||
msgstr "Adiciona filetes extras no padrão de preenchimento para apoiar os contornos acima. Esta opção previne furos ou bolhas de plástico que algumas vezes aparecem em contornos de formas complexas devido ao preenchimento abaixo não apoiar corretamente o contorno de cima. 'Paredes' faz suportar apenas os extremos do contorno, enquanto que 'Paredes e Linhas' faz também suportar extremos de filetes que perfazem o contorno."
|
||||
|
||||
msgctxt "infill_wall_line_count description"
|
||||
msgid ""
|
||||
|
@ -451,11 +451,11 @@ msgstr "Largura do Brim"
|
|||
|
||||
msgctxt "build_fan_full_at_height label"
|
||||
msgid "Build Fan Speed at Height"
|
||||
msgstr ""
|
||||
msgstr "Velocidade de Construção da Ventoinha na Altura"
|
||||
|
||||
msgctxt "build_fan_full_layer label"
|
||||
msgid "Build Fan Speed at Layer"
|
||||
msgstr ""
|
||||
msgstr "Velocidade de Construção da Ventoinha na Camada"
|
||||
|
||||
msgctxt "platform_adhesion label"
|
||||
msgid "Build Plate Adhesion"
|
||||
|
@ -499,7 +499,7 @@ msgstr "Aviso de temperatura do Volume de Construção"
|
|||
|
||||
msgctxt "build_volume_fan_nr label"
|
||||
msgid "Build volume fan number"
|
||||
msgstr ""
|
||||
msgstr "Número da ventoinha de volume de construção"
|
||||
|
||||
msgctxt "prime_tower_brim_enable description"
|
||||
msgid "By enabling this setting, your prime-tower will get a brim, even if the model doesn't. If you want a sturdier base for a high tower, you can increase the base height."
|
||||
|
@ -739,11 +739,11 @@ msgstr "Detectar pontes e modificar a velocidade de impressão, de fluxo e ajust
|
|||
|
||||
msgctxt "scarf_split_distance description"
|
||||
msgid "Determines the length of each step in the flow change when extruding along the scarf seam. A smaller distance will result in a more precise but also more complex G-code."
|
||||
msgstr ""
|
||||
msgstr "Determina o comprimento de cada passo na mudança de fluxo ao extrudar pela emenda scarf. Uma distância menor resultará em um G-code mais preciso porém também mais complexo."
|
||||
|
||||
msgctxt "scarf_joint_seam_length description"
|
||||
msgid "Determines the length of the scarf seam, a seam type that should make the Z seam less visible. Must be higher than 0 to be effective."
|
||||
msgstr ""
|
||||
msgstr "Determina o comprimento da emenda scarf, um tipo de emenda que procura tornar a junção do eixo Z menos visível. Deve ser maior que 0 pra se tornar efetivo."
|
||||
|
||||
msgctxt "inset_direction description"
|
||||
msgid "Determines the order in which walls are printed. Printing outer walls earlier helps with dimensional accuracy, as faults from inner walls cannot propagate to the outside. However printing them later allows them to stack better when overhangs are printed. When there is an uneven amount of total innner walls, the 'center last line' is always printed last."
|
||||
|
@ -1035,7 +1035,7 @@ msgstr "Costura Extensa tenta costurar furos abertos na malha fechando o furo co
|
|||
|
||||
msgctxt "extra_infill_lines_to_support_skins label"
|
||||
msgid "Extra Infill Lines To Support Skins"
|
||||
msgstr ""
|
||||
msgstr "Linhas de Preenchimento Extras Para Apoiar Contornos"
|
||||
|
||||
msgctxt "infill_wall_line_count label"
|
||||
msgid "Extra Infill Wall Count"
|
||||
|
@ -2451,7 +2451,7 @@ msgstr "Nenhuma"
|
|||
|
||||
msgctxt "extra_infill_lines_to_support_skins option none"
|
||||
msgid "None"
|
||||
msgstr ""
|
||||
msgstr "Nenhuma"
|
||||
|
||||
msgctxt "z_seam_corner option z_seam_corner_none"
|
||||
msgid "None"
|
||||
|
@ -2627,15 +2627,15 @@ msgstr "Aceleração da Parede Exterior"
|
|||
|
||||
msgctxt "wall_0_acceleration label"
|
||||
msgid "Outer Wall Acceleration"
|
||||
msgstr ""
|
||||
msgstr "Aceleração da Parede Externa"
|
||||
|
||||
msgctxt "wall_0_deceleration label"
|
||||
msgid "Outer Wall Deceleration"
|
||||
msgstr ""
|
||||
msgstr "Deceleração da Parede Externa"
|
||||
|
||||
msgctxt "wall_0_end_speed_ratio label"
|
||||
msgid "Outer Wall End Speed Ratio"
|
||||
msgstr ""
|
||||
msgstr "Proporção de Velocidade do Fim da Parede Externa"
|
||||
|
||||
msgctxt "wall_0_extruder_nr label"
|
||||
msgid "Outer Wall Extruder"
|
||||
|
@ -2663,11 +2663,11 @@ msgstr "Velocidade da Parede Exterior"
|
|||
|
||||
msgctxt "wall_0_speed_split_distance label"
|
||||
msgid "Outer Wall Speed Split Distance"
|
||||
msgstr ""
|
||||
msgstr "Distância de Divisão de Velocidade da Parede Externa"
|
||||
|
||||
msgctxt "wall_0_start_speed_ratio label"
|
||||
msgid "Outer Wall Start Speed Ratio"
|
||||
msgstr ""
|
||||
msgstr "Raio de Velocidade do Começo da Parede Externa"
|
||||
|
||||
msgctxt "wall_0_wipe_dist label"
|
||||
msgid "Outer Wall Wipe Distance"
|
||||
|
@ -3311,15 +3311,15 @@ msgstr "Compensação de Fator de Encolhimento"
|
|||
|
||||
msgctxt "scarf_joint_seam_length label"
|
||||
msgid "Scarf Seam Length"
|
||||
msgstr ""
|
||||
msgstr "Comprimento da Emenda Scarf"
|
||||
|
||||
msgctxt "scarf_joint_seam_start_height_ratio label"
|
||||
msgid "Scarf Seam Start Height"
|
||||
msgstr ""
|
||||
msgstr "Altura Inicial da Emenda Scarf"
|
||||
|
||||
msgctxt "scarf_split_distance label"
|
||||
msgid "Scarf Seam Step Length"
|
||||
msgstr ""
|
||||
msgstr "Comprimento de Passo da Emenda Scarf"
|
||||
|
||||
msgctxt "support_meshes_present label"
|
||||
msgid "Scene Has Support Meshes"
|
||||
|
@ -4379,7 +4379,7 @@ msgstr "A altura acima das partes horizontais do modelo onde criar o molde."
|
|||
|
||||
msgctxt "build_fan_full_at_height description"
|
||||
msgid "The height at which the fans spin on regular fan speed. At the layers below the fan speed gradually increases from Initial Fan Speed to Regular Fan Speed."
|
||||
msgstr ""
|
||||
msgstr "A altura em que as ventoinhas giram na velocidade regular. Nas camadas abaixo a velocidade de ventoinha gradualmente aumenta da Velocidade Inicial de Ventoinha para a Velocidade Regular."
|
||||
|
||||
msgctxt "cool_fan_full_at_height description"
|
||||
msgid "The height at which the fans spin on regular fan speed. At the layers below the fan speed gradually increases from Initial Fan Speed to Regular Fan Speed."
|
||||
|
@ -4491,7 +4491,7 @@ msgstr "A maior largura das áreas de contorno superiores que serão removidas.
|
|||
|
||||
msgctxt "build_fan_full_layer description"
|
||||
msgid "The layer at which the build fans spin on full fan speed. This value is calculated and rounded to a whole number."
|
||||
msgstr ""
|
||||
msgstr "A camada em que as ventoinhas giram na velocidade total. Este valor é calculado e arredondado para um número inteiro."
|
||||
|
||||
msgctxt "cool_fan_full_layer description"
|
||||
msgid "The layer at which the fans spin on regular fan speed. If regular fan speed at height is set, this value is calculated and rounded to a whole number."
|
||||
|
@ -4779,7 +4779,7 @@ msgstr "O número de filetes usado para o brim de suporte. Mais filetes melhoram
|
|||
|
||||
msgctxt "build_volume_fan_nr description"
|
||||
msgid "The number of the fan that cools the build volume. If this is set to 0, it's means that there is no build volume fan"
|
||||
msgstr ""
|
||||
msgstr "O número da ventoinha que refrigera o volume de construção. Se isto for colocado em 0, significa que não há ventoinha do volume de construção."
|
||||
|
||||
msgctxt "raft_surface_layers description"
|
||||
msgid "The number of top layers on top of the 2nd raft layer. These are fully filled layers that the model sits on. 2 layers result in a smoother top surface than 1."
|
||||
|
@ -4875,7 +4875,7 @@ msgstr "A mudança instantânea máxima de velocidade em uma direção para a ca
|
|||
|
||||
msgctxt "scarf_joint_seam_start_height_ratio description"
|
||||
msgid "The ratio of the selected layer height at which the scarf seam will begin. A lower number will result in a larger seam height. Must be lower than 100 to be effective."
|
||||
msgstr ""
|
||||
msgstr "A proporção da altura de camada selecionada em que a emenda scarf começará. Um número menor resultará em maior altura de emenda. Deve ser menor que 100 para se tornar efetivo."
|
||||
|
||||
msgctxt "machine_shape description"
|
||||
msgid "The shape of the build plate without taking unprintable areas into account."
|
||||
|
@ -5207,23 +5207,23 @@ msgstr "Este ajuste controla a distância que o extrusor deve parar de extrudar
|
|||
|
||||
msgctxt "wall_0_acceleration description"
|
||||
msgid "This is the acceleration with which to reach the top speed when printing an outer wall."
|
||||
msgstr ""
|
||||
msgstr "Esta é a aceleração com a qual se alcança a velocidade máxima ao imprimir uma parede externa."
|
||||
|
||||
msgctxt "wall_0_deceleration description"
|
||||
msgid "This is the deceleration with which to end printing an outer wall."
|
||||
msgstr ""
|
||||
msgstr "Esta é a deceleração com que terminar a impressão de uma parede externa."
|
||||
|
||||
msgctxt "wall_0_speed_split_distance description"
|
||||
msgid "This is the maximum length of an extrusion path when splitting a longer path to apply the outer wall acceleration/deceleration. A smaller distance will create a more precise but also more verbose G-Code."
|
||||
msgstr ""
|
||||
msgstr "Este é o máximo comprimento de um caminho de extrusão ao dividir um caminho maior para aplicar a aceleração ou deceleração de parede externa. Uma distância maior criará um G-code mais preciso mas também mais extenso."
|
||||
|
||||
msgctxt "wall_0_end_speed_ratio description"
|
||||
msgid "This is the ratio of the top speed to end with when printing an outer wall."
|
||||
msgstr ""
|
||||
msgstr "Esta é a proporção da velocidade máxima com que terminar a impressão de uma parede externa."
|
||||
|
||||
msgctxt "wall_0_start_speed_ratio description"
|
||||
msgid "This is the ratio of the top speed to start with when printing an outer wall."
|
||||
msgstr ""
|
||||
msgstr "Esta é a proporção da velocidade máxima com que começar a impressão de uma parede externa."
|
||||
|
||||
msgctxt "raft_base_smoothing description"
|
||||
msgid "This setting controls how much inner corners in the raft base 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."
|
||||
|
@ -5607,15 +5607,15 @@ msgstr "Paredes"
|
|||
|
||||
msgctxt "extra_infill_lines_to_support_skins option walls"
|
||||
msgid "Walls Only"
|
||||
msgstr ""
|
||||
msgstr "Paredes Somente"
|
||||
|
||||
msgctxt "extra_infill_lines_to_support_skins option walls_and_lines"
|
||||
msgid "Walls and Lines"
|
||||
msgstr ""
|
||||
msgstr "Paredes e Linhas"
|
||||
|
||||
msgctxt "wall_overhang_angle description"
|
||||
msgid "Walls that overhang more than this angle will be printed using overhanging wall settings. When the value is 90, no walls will be treated as overhanging. Overhang that gets supported by support will not be treated as overhang either. Furthermore, any line that's less than half overhanging will also not be treated as overhang."
|
||||
msgstr ""
|
||||
msgstr "Paredes com seção pendente maior que este ângulo serão impressas usando ajustes de seções pendentes de perede. Quando este valor for 90, nenhuma parede será tratada como seção pendente. Seções pendentes apoiadas por suporte não serão tratadas como pendentes também. Além disso, qualquer filete que for menos da metade pendente também não será tratado como pendente."
|
||||
|
||||
msgctxt "meshfix_fluid_motion_enabled description"
|
||||
msgid "When enabled tool paths are corrected for printers with smooth motion planners. Small movements that deviate from the general tool path direction are smoothed to improve fluid motions."
|
||||
|
|
|
@ -29,6 +29,17 @@
|
|||
- Fixed a bug that prevented changes to the initial layer diameter from being applied properly, contributed by @ThomasRahm
|
||||
- Fixed a rounding issue in the engine math, @0x5844
|
||||
|
||||
* Bugs resolved after the first Beta
|
||||
- Spiralize outer contour no longer adds unnecessary seams to the model
|
||||
- When coasting is enabled the printhead no longer drops down
|
||||
- Updated the strategy for sharpest corner - smart hiding seam location combination
|
||||
- Fixed a bug where long scarf seams and short scarf seam steps would result in the seam being moved outward
|
||||
- Fixed a bug where seam acceleration and deceleration were not working
|
||||
- Fixed a bug where infill was wrongly removed from narrow spaces
|
||||
- Triple-clicking values and searches that you entered now has you select everything so you can edit it in the field similar to other desktop applications
|
||||
- Updated dependencies and improved how unwanted and unused binaries are excluded from the building process.
|
||||
- Added Eazao material for the new Eazao printers
|
||||
|
||||
* Printer definitions, profiles, and materials:
|
||||
- Introduced Makerbot Sketch Sprint
|
||||
- Introduced Makerbot Sketch and Sketch Large
|
||||
|
@ -46,6 +57,12 @@
|
|||
- Updated Japanese translations by @h1data
|
||||
- Brazilian Portuguese by @Patola
|
||||
|
||||
* Known issues
|
||||
- This second beta introduces a change that affects the UI so please use buttons, dropdowns, menus, and flows. We hope we did this correctly but it is a tricky change. If you see the crash please report it to us, and we will also see it show up in our crash tracking tool.
|
||||
- There is a slight regression in terms of seam alignment in different strategies we hope to resolve before stable
|
||||
- We see an increase in micro-segments in the outer wall, which we hope to resolve before stable
|
||||
- We see rare cases of Cura crashing after opening project files with custom extruders or printer settings than the printer that is already loaded
|
||||
|
||||
[5.8.1]
|
||||
|
||||
* Bug fixes:
|
||||
|
|
Loading…
Add table
Add a link
Reference in a new issue