├── .github └── workflows │ ├── check_translation.yml │ └── sync_translations.yml ├── 3D ├── CAD │ └── Magnetic Charging Dock and Mounting Bracket.STEP └── STL │ ├── Magnetic Charging Dock and Mounting Bracket.STL │ └── Magnetic Charging Dock.STL ├── Firmware ├── 1.0.1 │ └── panda_touch-v1.0.1.bin ├── 1.0.2 │ ├── fat_panda_touch-v1.0.2.img │ └── panda_touch-v1.0.2.bin ├── 1.0.4.1 │ ├── fat_panda_touch-v1.0.4.1.img │ ├── panda_touch-v1.0.4.1.bin │ └── readme.md ├── 1.0.5.1 │ ├── fat_panda_touch-v1.0.5.1.img │ ├── panda_touch-v1.0.5.1.bin │ └── readme.md ├── 1.0.6.3 │ ├── fat_panda_touch-v1.0.6.img │ ├── fat_v1.0.6_de-DE.img │ ├── fat_v1.0.6_en-GB.img │ ├── fat_v1.0.6_es-ES.img │ ├── fat_v1.0.6_ja-JP.img │ ├── panda_touch-v1.0.6.3.bin │ └── readme.md ├── 1.0.7.1 │ ├── de.img │ ├── en_zh.img │ ├── es.img │ ├── it.img │ ├── ja.img │ ├── panda_touch-v1.0.7.1.bin │ └── readme.md ├── 1.0.7.2 │ ├── de-DE.img │ ├── en-GB.img │ ├── es-ES.img │ ├── it-IT.img │ ├── ja-JP.img │ ├── panda_touch-v1.0.7.2.bin │ ├── readme.md │ └── zh-CN.img ├── 1.0.7.3 │ ├── en-GB.img │ ├── panda_touch-v1.0.7.3.bin │ ├── readme.md │ └── zh-CN.img ├── 1.0.7 │ └── readme.md └── readme.md ├── Panda_Touch_Manual_20240127.pdf ├── Panda_Touch_说明书_20240127.pdf ├── README.md ├── Recovery_toolV1.0.6.zip ├── Translation ├── README.md ├── cs-CZ │ └── cs-CZ.yml ├── de-DE │ └── de-DE.yml ├── en-GB.yml ├── en-US │ └── en-US.yml ├── en-ZA │ └── en-ZA.yml ├── es-ES │ └── es-ES.yml ├── it-IT │ └── it-IT.yml ├── ja.yml └── ru-RU │ ├── README.md │ └── ru-RU.yml ├── WorkflowScripts └── sync_translations.py └── img ├── dont_save_as.png └── how_to_download.gif /.github/workflows/check_translation.yml: -------------------------------------------------------------------------------- 1 | name: Check the translation for errors 2 | 3 | on: 4 | pull_request: 5 | types: [opened, synchronize, reopened] 6 | paths: 7 | - 'Translation/**/*.yml' # Include yml files in Translation and all its subfolders 8 | 9 | jobs: 10 | check-trans: 11 | runs-on: ubuntu-latest 12 | 13 | steps: 14 | - name: Clone main git repo 15 | uses: actions/checkout@v3 16 | with: 17 | fetch-depth: 0 18 | ref: master 19 | path: MAIN_REPO 20 | - name: Checkout pull request 21 | uses: actions/checkout@v3 22 | with: 23 | fetch-depth: 0 24 | ref: ${{ github.event.pull_request.head.sha }} 25 | repository: ${{ github.event.pull_request.head.repo.full_name }} 26 | path: PR_REPO # Files will be checked out to the 'PR-REPO' directory 27 | 28 | # Install Python 29 | - name: Set up Python 30 | uses: actions/setup-python@v2 31 | with: 32 | python-version: '3.12' 33 | 34 | - name: Install dependencies 35 | run: pip install ruamel.yaml 36 | 37 | # Step to run the Python script and capture errors 38 | - name: Check YML 39 | run: | 40 | set -o pipefail # Ensure the script fails if Python script fails 41 | python MAIN_REPO/WorkflowScripts/sync_translations.py 2>&1 | tee python_output.log || (cat python_output.log && exit 1) 42 | -------------------------------------------------------------------------------- /.github/workflows/sync_translations.yml: -------------------------------------------------------------------------------- 1 | name: Sync New English With Translations 2 | 3 | on: 4 | pull_request_target: 5 | types: [closed] 6 | branches: 7 | - master 8 | 9 | jobs: 10 | sync-trans: 11 | if: github.event.pull_request.merged == true 12 | runs-on: ubuntu-latest 13 | 14 | steps: 15 | - name: Checkout code 16 | uses: actions/checkout@v3 17 | with: 18 | token: ${{ secrets.PAT }} 19 | path: PR_REPO # Files will be checked out to the 'PR-REPO' directory 20 | 21 | # Step to set up Python if necessary 22 | - name: Set up Python 23 | uses: actions/setup-python@v2 24 | with: 25 | python-version: '3.12' # Adjust based on your Python version 26 | 27 | - name: Install dependencies 28 | run: pip install ruamel.yaml 29 | 30 | # Step to run the Python script and capture errors 31 | - name: Run Sync 32 | run: | 33 | set -o pipefail 34 | python PR_REPO/WorkflowScripts/sync_translations.py 2>&1 | tee python_output.log || (cat python_output.log && exit 1) 35 | 36 | - name: Check for changes 37 | id: check_diff 38 | run: | 39 | git diff --quiet --exit-code || echo "CHANGES_DETECTED=true" >> $GITHUB_ENV 40 | working-directory: PR_REPO 41 | 42 | - name: Commit changes if detected 43 | if: env.CHANGES_DETECTED == 'true' 44 | run: | 45 | git add . 46 | git config --global user.name "BTTACTIONBOT" 47 | git config --global user.email "BTTACTIONBOT@bigtree-tech.com" 48 | git commit -m "Apply automatic updates" 49 | working-directory: PR_REPO 50 | 51 | - name: Push changes 52 | if: env.CHANGES_DETECTED == 'true' 53 | run: | 54 | git push 55 | working-directory: PR_REPO 56 | -------------------------------------------------------------------------------- /3D/CAD/Magnetic Charging Dock and Mounting Bracket.STEP: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/3D/CAD/Magnetic Charging Dock and Mounting Bracket.STEP -------------------------------------------------------------------------------- /3D/STL/Magnetic Charging Dock and Mounting Bracket.STL: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/3D/STL/Magnetic Charging Dock and Mounting Bracket.STL -------------------------------------------------------------------------------- /3D/STL/Magnetic Charging Dock.STL: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/3D/STL/Magnetic Charging Dock.STL -------------------------------------------------------------------------------- /Firmware/1.0.1/panda_touch-v1.0.1.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.1/panda_touch-v1.0.1.bin -------------------------------------------------------------------------------- /Firmware/1.0.2/fat_panda_touch-v1.0.2.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.2/fat_panda_touch-v1.0.2.img -------------------------------------------------------------------------------- /Firmware/1.0.2/panda_touch-v1.0.2.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.2/panda_touch-v1.0.2.bin -------------------------------------------------------------------------------- /Firmware/1.0.4.1/fat_panda_touch-v1.0.4.1.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.4.1/fat_panda_touch-v1.0.4.1.img -------------------------------------------------------------------------------- /Firmware/1.0.4.1/panda_touch-v1.0.4.1.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.4.1/panda_touch-v1.0.4.1.bin -------------------------------------------------------------------------------- /Firmware/1.0.4.1/readme.md: -------------------------------------------------------------------------------- 1 | # FIX BUG 2 | Fix a bug: 3 | Upgrading to version V1.0.4 after setting the nozzle material using V1.0.1/V1.0.2/V1.0.3 will cause a crash and restart. 4 | -------------------------------------------------------------------------------- /Firmware/1.0.5.1/fat_panda_touch-v1.0.5.1.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.5.1/fat_panda_touch-v1.0.5.1.img -------------------------------------------------------------------------------- /Firmware/1.0.5.1/panda_touch-v1.0.5.1.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.5.1/panda_touch-v1.0.5.1.bin -------------------------------------------------------------------------------- /Firmware/1.0.5.1/readme.md: -------------------------------------------------------------------------------- 1 | 2 | ## Please use "download raw file" 3 | 4 | 5 | 6 | ### Please do not use "save link as" 7 | 8 | -------------------------------------------------------------------------------- /Firmware/1.0.6.3/fat_panda_touch-v1.0.6.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/fat_panda_touch-v1.0.6.img -------------------------------------------------------------------------------- /Firmware/1.0.6.3/fat_v1.0.6_de-DE.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/fat_v1.0.6_de-DE.img -------------------------------------------------------------------------------- /Firmware/1.0.6.3/fat_v1.0.6_en-GB.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/fat_v1.0.6_en-GB.img -------------------------------------------------------------------------------- /Firmware/1.0.6.3/fat_v1.0.6_es-ES.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/fat_v1.0.6_es-ES.img -------------------------------------------------------------------------------- /Firmware/1.0.6.3/fat_v1.0.6_ja-JP.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/fat_v1.0.6_ja-JP.img -------------------------------------------------------------------------------- /Firmware/1.0.6.3/panda_touch-v1.0.6.3.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.6.3/panda_touch-v1.0.6.3.bin -------------------------------------------------------------------------------- /Firmware/1.0.6.3/readme.md: -------------------------------------------------------------------------------- 1 | ## Fixed BUGS 2 | * 1 can not reprint by history when use plate_2 、 plate_3 、plate_4. 3 | 4 | ## Please use "download raw file" 5 | 6 | 7 | 8 | ### Please do not use "save link as" 9 | 10 | -------------------------------------------------------------------------------- /Firmware/1.0.7.1/de.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/de.img -------------------------------------------------------------------------------- /Firmware/1.0.7.1/en_zh.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/en_zh.img -------------------------------------------------------------------------------- /Firmware/1.0.7.1/es.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/es.img -------------------------------------------------------------------------------- /Firmware/1.0.7.1/it.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/it.img -------------------------------------------------------------------------------- /Firmware/1.0.7.1/ja.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/ja.img -------------------------------------------------------------------------------- /Firmware/1.0.7.1/panda_touch-v1.0.7.1.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.1/panda_touch-v1.0.7.1.bin -------------------------------------------------------------------------------- /Firmware/1.0.7.1/readme.md: -------------------------------------------------------------------------------- 1 | ## Fixed BUGS 2 | * 1 can not reprint by history when use plate_2 、 plate_3 、plate_4. 3 | 4 | ## Please use "download raw file" 5 | 6 | 7 | 8 | ### Please do not use "save link as" 9 | 10 | -------------------------------------------------------------------------------- /Firmware/1.0.7.2/de-DE.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/de-DE.img -------------------------------------------------------------------------------- /Firmware/1.0.7.2/en-GB.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/en-GB.img -------------------------------------------------------------------------------- /Firmware/1.0.7.2/es-ES.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/es-ES.img -------------------------------------------------------------------------------- /Firmware/1.0.7.2/it-IT.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/it-IT.img -------------------------------------------------------------------------------- /Firmware/1.0.7.2/ja-JP.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/ja-JP.img -------------------------------------------------------------------------------- /Firmware/1.0.7.2/panda_touch-v1.0.7.2.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/panda_touch-v1.0.7.2.bin -------------------------------------------------------------------------------- /Firmware/1.0.7.2/readme.md: -------------------------------------------------------------------------------- 1 | ## Fixed BUGS 2 | ### add v1.0.7.2 3 | * 1 fixed bug 4 | * crash when download thumbnails from history 5 | * 2 new feature 6 | * custom filament 7 | * reprint with custom filament 8 | * 3 modify backlight 9 | * minimum is 1% and maximum is 80%. 10 | * set the backlight to 1% when power-on and set the backlight to normal after 8 seconds. 11 | 12 | ## Please use "download raw file" 13 | 14 | 15 | 16 | ### Please do not use "save link as" 17 | 18 | -------------------------------------------------------------------------------- /Firmware/1.0.7.2/zh-CN.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.2/zh-CN.img -------------------------------------------------------------------------------- /Firmware/1.0.7.3/en-GB.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.3/en-GB.img -------------------------------------------------------------------------------- /Firmware/1.0.7.3/panda_touch-v1.0.7.3.bin: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.3/panda_touch-v1.0.7.3.bin -------------------------------------------------------------------------------- /Firmware/1.0.7.3/readme.md: -------------------------------------------------------------------------------- 1 | ## Fixed BUGS 2 | ### add v1.0.7.3 3 | * 1 add pop message for firmware incompatible 4 | 5 | ## Please use "download raw file" 6 | 7 | 8 | 9 | ### Please do not use "save link as" 10 | 11 | -------------------------------------------------------------------------------- /Firmware/1.0.7.3/zh-CN.img: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Firmware/1.0.7.3/zh-CN.img -------------------------------------------------------------------------------- /Firmware/1.0.7/readme.md: -------------------------------------------------------------------------------- 1 | ## Please use v1.0.7.1 2 | -------------------------------------------------------------------------------- /Firmware/readme.md: -------------------------------------------------------------------------------- 1 | # Panda Touch Firmware 2 | 3 | Simply use the OTA update tool on the panda touch to install this firmware. Please see the directions contained within the BIGTREETECH wiki (https://bttwiki.com/PandaTouch.html) if you are unsure of how to use the tool. 4 | -------------------------------------------------------------------------------- /Panda_Touch_Manual_20240127.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Panda_Touch_Manual_20240127.pdf -------------------------------------------------------------------------------- /Panda_Touch_说明书_20240127.pdf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Panda_Touch_说明书_20240127.pdf -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Cloud mode access code (2024/11/26) 2 | Note that Bambu have recently implemented a 2FA cloud mode access code process even if the user has 2FA disabled. Updating to V1.0.6 will allow you to use your access code to log into cloud mode. After updating, please be sure to log out of cloud mode and then back in to ensure that it works correctly. 3 | 4 | # Panda Touch 5 | For detailed instructions, please refer to the [wiki](https://bttwiki.com/PandaTouch.html). 6 | -------------------------------------------------------------------------------- /Recovery_toolV1.0.6.zip: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/Recovery_toolV1.0.6.zip -------------------------------------------------------------------------------- /Translation/README.md: -------------------------------------------------------------------------------- 1 | # Panda Touch UI Translation 2 | 3 | This page is specifically for users looking to assist with translation into different languages. If you are looking for different languages to use with your Panda Touch UI then please look for the relevant IMG file (each IMG contains a different language). 4 | 5 | If you would like to help by translating the Panda Touch UI into your native language then please follow the steps below: 6 | 7 | 1. Create a fork of this repo. 8 | 2. Create your own branch on your fork. 9 | 3. Check your branch out locally. 10 | 4. Add this repo as an upstream source for your fork. 11 | 5. Create a new folder within this folder that uses the naming format "<2 char language ISO code>-<2 char country ISO code>". 12 | 13 | - You can find the two character language ISO code on this wikipedia page under the 'Set 1' column: https://en.wikipedia.org/wiki/List_of_ISO_639_language_codes 14 | - You can find the two character country ISO code on this wikipedia page under the 'Set 1' column: https://en.wikipedia.org/wiki/List_of_ISO_3166_country_codes 15 | - If your language is not country specific then don't worry about adding a country code. Languages like English have variations in spelling and grammar between UK and US variants and in such cases, a country code would be useful. 16 | 17 | 6. Use the en-GB file as the master file and then translate the phrases contained therein into your local language. 18 | 7. Change the first level key within the yml file to reflect the language and country code that you have translated into. For example, en-GB becomes en-US in the sample file. 19 | 8. Ensure that your translated file is named according to your language and country code (use country code only if applicable). 20 | 9. If you have any questions about the original meaning of a phrase then please post them here: https://github.com/bigtreetech/PandaTouch/issues/82 21 | 10. To ensure that the translated YAML files meet the standards of the Panda Touch and do not contain formatting, key or value errors we parse them using a github actions workflow once the pull request is initiated. Solving issues at this point can be tedious since the script identifies issues line by line and you would need to fix a line, update the PR with a new commit, run the test again and see if there are any more errors. To expedite this process we recommend doing the following: 22 | a. Use Vscode as your editor. 23 | b. Ensure that you use two spaces (0x20) as your indentation characters for the YAML file. Do not use tabs or any other type of character. 24 | c. Run your YAML file through an online validator such as https://yamlchecker.com/. Note that even these validators can miss the incorrect use of indentation characters so this is worth double checking in your editor. 25 | d. You can also use [online tool](https://ptimgtool.bttwiki.com) to check your file before commiting. If it fails generation then there is an issue with the file 26 | 11. Once the translation is complete, commit your changes to your fork and then create a PR to this repo. 27 | 28 | Once the PR is accepted, we will generate an IMG file and upload it to this repo for others to use. You can also generate your own IMG file online using [online tool](https://ptimgtool.bttwiki.com) 29 | 30 | If you struggle to use the git forking workflow but would still like to contribute a translation then please feel free to attach your translation to a comment in this thread: https://github.com/bigtreetech/PandaTouch/issues/82 31 | 32 | As we make product updates, it is likely that more fields will become available for translation. Those fields will appear as English in the updated files until they receive a translation update. 33 | 34 | Thanks to all those who contribute translations. 35 | -------------------------------------------------------------------------------- /Translation/cs-CZ/cs-CZ.yml: -------------------------------------------------------------------------------- 1 | cs-CZ: 2 | #SETTING PAGE 3 | lang_name_t: 'Čeština' 4 | 5 | min_time_t_1: '1min' 6 | min_time_t_2: '2min' 7 | min_time_t_3: '3min' 8 | min_time_t_5: '5min' 9 | min_time_t_10: '10min' 10 | min_time_t_15: '15min' 11 | min_time_t_60: '60min' 12 | sleep_time_t_always: 'Vždy zapnuto' 13 | setting_gen_t: 'Hlavní' 14 | setting_net_t: 'Síť' 15 | setting_gen_t_dev: 'Zařízení:' 16 | setting_gen_t_man: 'Výrobce:' 17 | setting_gen_t_lang: 'Jazyk:' 18 | setting_gen_t_fw: 'Firmware:' 19 | setting_gen_t_slp: 'Režim Spánku:' 20 | setting_gen_t_backlight: 'Jas pozadí:' 21 | setting_gen_t_reb: 'Restart' 22 | setting_gen_t_rst: 'Obnova do továrního nastavení' 23 | #SETTING PAGE END 24 | 25 | #BUTTONS 26 | btn_cancel: 'Zrušit' 27 | btn_ok: 'OK' 28 | btn_restart: 'Restart' 29 | btn_refresh: 'Obnovit' 30 | btn_confirm: 'Potvrdit' 31 | btn_next: 'Další' 32 | btn_back: 'Zpět' 33 | btn_del: 'Smazat' 34 | btn_scan: 'Skenovat' 35 | btn_factory: 'Tovární reset' 36 | btn_close: 'Zavřít' 37 | btn_ignore_all: 'Vše ignorovat' 38 | btn_load: 'Zavést' 39 | btn_unload: 'Vysunout' 40 | btn_retry: 'Znovu' 41 | btn_abort: 'Zrušit' 42 | btn_print: 'Tisk' 43 | btn_remove: 'Odtsranit' 44 | btn_stop: 'Zastavit' 45 | btn_pause: 'Pauza' 46 | btn_resume: 'Pokračovat' 47 | btn_filament: 'Filament' 48 | btn_done: 'Hotovo' 49 | btn_stop_all: 'Vše zastavit' 50 | btn_format: 'Formátovat' 51 | btn_disconnect: 'Odpojit' 52 | btn_edit: 'Editovat' 53 | btn_yes: 'Ano' 54 | btn_no: 'Ne' 55 | btn_reset: 'Reset' 56 | btn_add_printer: 'Přidat tiskárnu' 57 | btn_add_group: 'Přidat skupinu' 58 | btn_goto_printers: 'Přejit na více zařízení' 59 | btn_goto_wifi: 'Přejít na WiFi síť' 60 | btn_ignore: 'Ignorovat' 61 | btn_goto_login: 'Přejít na přihlášení' 62 | btn_dry: 'Vysušit' 63 | btn_dry_prepare: 'Připravit' 64 | btn_dry_start: 'Začít vysoušení' 65 | btn_skip_obj: 'Skip' 66 | #BUTTONS END 67 | 68 | set_net_wifi_scaned: 'Nalezené WiFi' 69 | welcome_tip: 'Výběrem WiFi sítě z nabídky napravo a následně zadáním hesla se připojte prosím k internetu. Pokud nevidíte požadovanou WiFi, stiskněte Obnovit. Jakmile jste připojeni k požadované WiFi, stiskněte Další.' 70 | tip_scan_qrcode: 'Pro přístup k online návodu naskenujte QR kód svým telefonem.' 71 | loading: 'Loading...' 72 | top_wifi_connect: 'Připojuji k WiFi %s' 73 | top_wifi_connect_fail: 'Nepovedlo se připojit k WiFi: %s' 74 | top_wifi_disconnected: 'Odpojen od WiFi: %s' 75 | top_print_connecting: 'Připojuji k tiskárně %d: %s' 76 | top_print_connected: 'Úspěšně připojeno k tiskárně %d: %s' 77 | top_print_connect_fail: 'Nepovedlo se připojit k tiskárně %d: %s' 78 | #PRINT 79 | panda_touch: 'Panda Touch' 80 | printer_model: 'Model:' 81 | printer_name: 'Jméno:' 82 | scan_print_t_acescd: 'Přístupový kód:' 83 | scan_print_t_ip: 'IP tiskárny:' 84 | filament_t_color: 'Barva filamentu:' 85 | filament_t_matrl: 'Materiál filamentu:' 86 | nozzle_t_diameter: 'Průměr trysky:' 87 | nozzle_t_matrl: 'Materiál trysky:' 88 | wifi_c_wait_cancel: 'Počkejte na zrušení...' 89 | print_bed_leveling: 'Vyrovnání podložky' 90 | print_flow_calibration: 'Kalibrace toku' 91 | print_timelapse: 'Časosběr' 92 | prints_in_sync: 'Synchronizované tiskárny: %d' 93 | start_print_confirm: | 94 | Před začátkem tisku vemte prosím na vědomí následující: 95 | 1. Ujistěte se, že soubor je vytvořen pro vybranou tiskárnu. 96 | 2. Ujistěte se, že nastavení filament v souboru odpovídá filamentům v AMS slotech. 97 | print_using_ams: 'Použít AMS' 98 | print_ams: 'Držák cívky' 99 | print_canceled: 'Zrušeno' 100 | print_finished: 'Dokončeno' 101 | print_reprint: 'Znovu tisknout' 102 | bed_preheating: 'Předehřev podložky' 103 | nozzle_clean: 'Čištění hrotu trysky' 104 | bed_auto_leveing: 'Automatické vyrovnání podložky' 105 | print_preparing: 'Příprava na tisk' 106 | print_t: 'Tiskárna' 107 | print_not_find: 'Tiskárna nenalezena, zkontrolujte síť a zksute znovu' 108 | filament_unknown: 'Neznámý druh filamentu, ale pro pokračování tyto informace potřebuji. Chcete nastavit informace o filamentu?' 109 | printer_add_repeat: 'Tato tiskárna již byla přidána do Panda Touch a nelze ji přidat znovu.' 110 | printer_has_add: 'Přidáno již dříve' 111 | printer_busy: |2 112 | 113 | 114 | Zaneprázdněn tiskem 115 | nozzle_temperature: 'Teplota trysky' 116 | bambu_info_readonly: 'Informace o Bambu filamentu jsou z RFID čipu a jsou jen pro čtení.' 117 | setting_slot_not_sup: 'Nastavení informací o slotu není povoleno během tisku.' 118 | filament_minimum: 'Minimum' 119 | filament_maximum: 'Maximum' 120 | filament_unknown_type: 'Neznámý' 121 | #PRINT 122 | #TIPS 123 | tip_input_optional: '(Volitelné)' 124 | tip_input_name: '(Povinné)Zadejte jméno tiskárny' 125 | tip_input_ip: '(Povinné)Zadejte IP tiskárny' 126 | tip_input_acescd: '(Povinné)Zadejte přístupový kód' 127 | tip_input_sn: '(Povinné)Zadejte výr.číslo' 128 | pop_tip_add_dev: 'Potvrďte prosím, že chcete přidat připojení k této tiskárně do Panda Touch' 129 | pop_tip_restart: 'Potvrďte prosím, že chcete restartovat Panda Touch.' 130 | pop_tip_input_password: 'Zadejte heslo' 131 | pop_tip_factory: 'Potvrďte prosím, že požadujete obnovu do továrního nastavení. Panda Touch zapomene nastavení WiFi a všechny přidané tiskárny. Následně bude Panda Touch restartován.' 132 | new_tip_get_info: 'Jak zjistit IP, přístupový kód, and výrobní číslo.' 133 | pop_tip_print_abort: 'Potvrďte prosím, že chcete zrušit všechny probíhající nahrávání a tiskové úlohy.' 134 | tip_not_insert_sdcard: 'MicroSD karta není zasunuta do tiskárny.' 135 | tip_not_insert_usb_flash: 'USB disk není vložen.' 136 | tip_not_select_print: 'Není vybrána tiskárna. Prosím zvolte alespoň jednu tiskárnu pro start tisku.' 137 | tip_remove_refuse: 'Pouze "odpojené" tiskárny lze smazat. Nejprve prosím nastavte tiskárnu jako odpojenou.' 138 | tip_remove_confirm: 'Potvrďte prosím, že chcete tuto tiskárnu smazat z Panda Touch.' 139 | tip_master_must: 'Vždy alespoň jedna tiskárna musí být nastavena jako "Hlavní".' 140 | tip_mainly_query: 'Pouze jedna tiskárna může být "Hlavní". Chcete nastavit tiskárnu jako "Hlavní" a původní "Hlavní" nastavit na "Řízená"?' 141 | tip_printer_max: 'Panda Touch nyní podporuje připojení k "%d" tiskárnám. Pro ovládnání dalších tiskáren můžete použít další jednotku Panda Touch.' 142 | tip_pause_all: 'Opravdu chcete pozastavit všechny probíhající tisky?' 143 | tip_stop_all: 'Jakmile zastavíte tisky, nelze je již obnovit. Opravdu chcete všechny probíhající tisky zastavit?' 144 | tip_faild_upload: | 145 | Nepodvedlo se nahrát soubor, prosím zkontrolujte: 146 | 1. Tiskárna je zapnuta a má v sobě vloženu SD kartu s volným místem pro soubor. 147 | 2. USB flash disk je správně zasubut v USB slotu Panda Touch. 148 | 3. Zkuste se přesunout na místo s lepším WiFi signálem. 149 | 4. Když jset v CLoud módu, zkontrolujte prosím "IP" a "Přístupový kód". 150 | tip_wifi_disconnected: 'Připojení k WiFi bylo ztraceno. Ujistěte se, že máte dostatečný signál WiFi.' 151 | tip_wifi_error: 'Chyba v připojení k nastavené WiFi. Zkontrolujte prosím kvalitu WiFi signálu a zadané heslo k síti.' 152 | tip_unload_has_filament: 'Vytáhněte prosím vlákno z extrudéru nebo zkontrolujte, zda není vlákno v extrudéru přerušené. Pokud se má později použít AMS, připojte prosím PTFE trubičku ke spojce.' 153 | tip_unload_has_filament_l: 'Vytáhněte prosím vlákno z extrudéru nebo zkontrolujte, zda není vlákno v extrudéru přerušené. Pokud se má později použít AMS, připojte prosím PTFE trubičku ke spojce a klikněte na tlačítko „Znovu“.' 154 | tip_load_no_filament: 'Zaveďte filament ručně, dokud se nespustí snímač vlákna v hlavě nástroje.' 155 | tip_load_no_filament_l: 'Zaveďte filament ručně, dokud se nespustí snímač vlákna v hlavě nástroje a klikněte na tlačítko „Znovu“.' 156 | tip_load_filament: 'Zkontrolujte prosím trysku. Pokud bylo vlákno vytlačeno, klikněte na tlačítko „Hotovo“. Pokud tomu tak není, posuňte vlákno mírně dovnitř a klikněte na tlačítko „Znovu“.' 157 | tip_heatbreak_fan: 'Abnormální otáčky ventilátoru heatbreaku.' 158 | tip_parsing_gcode: 'Došlo k problému při zpracování souboru .3MF. Prosím, nahrejte tiskovou úlohu znovu.' 159 | tip_nozzle_temp_malf: 'Porucha teploty trysky.' 160 | tip_front_cover: 'Tisk byl přerušen, protože přední kryt tiskové hlavy spadl. Vraťte jej prosím zpět a kliknutím na ikonu obnovení tiskové úlohy.' 161 | tip_filament_runout: 'Došel filament. Zaveďte prosím nový filament do tiskárny a klepnutím na ikonu „Znovu“ obnovte tiskovou úlohu.' 162 | tip_pause_print: 'Opravdu chcete pozastavit probíhající tisk?' 163 | tip_stop_print: 'Jakmile zastavíte tisk, nelze jej již obnovit. Opravdu chcete probíhající tisk zastavit?' 164 | tip_ams_runout: 'Došel filament v AMS. Vložte prosím do AMS nový filament a klikněte na tlačítko „Znovu“.' 165 | tip_ams_overload: 'Pomocný motor AMS je přetížený. Zkontrolujte prosím, zda se nezasekla cívka nebo filament. Po vyřešení problému klikněte na tlačítko „Znovu“.' 166 | tip_failed_feed: 'Nepodařilo se zavést filament do tiskové hlavy. Zkontrolujte, zda se nezaseklo vlákno nebo cívka. Po vyřešení problému klikněte na tlačítko „Znovu“.' 167 | tip_failed_pull: 'Nepodařilo se vytáhnout filament z extrudéru. Zkontrolujte, zda není extrudér ucpaný nebo zda není filament uvnitř extrudéru přerušený. Po vyřešení problémů klikněte na tlačítko „Znovu“.' 168 | tip_failed_extrude: 'Nepodařilo se vytlačit filament. Zkontrolujte prosím, zda není extrudér ucpaný. Po vyřešení problémů klikněte na tlačítko „Znovu“.' 169 | tip_failed_feed_outside: 'Nepodařilo se zavést filament z AMS. Prosím zařízněte konec filamentu naplocho a zkontrolujte, zda není cívka zaseknutá. Po vyřešení problémů klikněte na tlačítko „Znovu“.' 170 | tip_select_model: 'Vyberte prosím model tiskárny' 171 | tip_ams_busy: 'Nelze načíst informace o filamentu. AMS je zaneprázdněn. Zkuste to prosím později.' 172 | tip_ams_reading: 'Systém AMS je zaneprázdněn čtením informací o filamentu, zkuste to prosím později.' 173 | tip_ams_tray_empty: 'Tento zásobník je prázdný. Zkuste to prosím znovu po vložení filamentu.' 174 | tip_firmware: 'Naskenujte prosím kód pro zobrazení historie vydání firmwaru a pokynů k jeho aktualizaci.' 175 | #TIPS END 176 | #NOTIFY 177 | notify_center_t: 'Centrum oznámení' 178 | notify_cnt_t: 'počet zpráv:' 179 | notify_remind: 'Pro zobrazení možných řešení naskenujte kód nebo klikněte na tlačítko „Vybrat tiskárnu“ a nastavte tuto tiskárnu jako „Master“.' 180 | notify_remind_go_print: 'Vybrat tiskárnu' 181 | notify_unknow_state: 'Panda Touch neznámý stavový kód.' 182 | 00x0300100000020001: 'Rezonanční frekvence osy %s je nízká. Rozvodový řemen může být uvolněný.' 183 | 00x0300100000020002: 'Mechanická rezonance 1. řádu osy %s se značně liší od poslední kalibrace, proveďte kalibraci stroje znovu.' 184 | 00x03000F0000010001: 'Data akcelerometru nejsou k dispozici.' 185 | 00x03000D000001000B: 'Motor osy Z se při pohybu nahoru zřejmě zasekl.' 186 | 00x03000D0000010003: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 187 | 00x03000D0000010004: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 188 | 00x03000D0000010005: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 189 | 00x03000D0000010006: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 190 | 00x03000D0000010007: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 191 | 00x03000D0000010008: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 192 | 00x03000D0000010009: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 193 | 00x03000D000001000A: 'Tisková deska není správně umístěna. Upravte ji, prosím.' 194 | 00x03000D0000020001: 'Abnormální chování vyhřívané podložky' 195 | 00x03000A0000010005: 'Snímač síly %s detekoval neočekávanou trvalou sílu. Vyhřívaná podložka se může zaseknout nebo může být poškozený analogový přední konec.' 196 | 00x03000A0000010004: 'Při testování citlivosti snímače síly %s bylo zjištěno vnější rušení. Vyhřívaná podložka se mohla dotknout něčeho mimo tiskovou plochu.' 197 | 00x03000A0000010003: 'Citlivost snímače síly vyhřívané podložky %s je příliš nízká.' 198 | 00x03000A0000010002: 'Citlivost snímače síly vyhřívané podložky %s je nízká.' 199 | 00x03000A0000010001: 'Citlivost snímače síly vyhřívané podložky %s je příliš vysoká.' 200 | 00x0300040000020001: 'Otáčky ventilátoru chlazení dílu jsou příliš nízké nebo nulové.' 201 | 00x0300030000020002: 'Otáčky ventilátoru Hot Endu jsou nízké.' 202 | 00x0300030000010001: 'Otáčky ventilátoru Hot Endu jsou příliš nízké nebo nulové.' 203 | 00x0300060000010001: 'Motor %s má otevřený obvod. Může být uvolněný spoj nebo může dojít k poruše motoru.' 204 | 00x0300060000010002: 'Motor %s má zkrat. Mohlo dojít k jeho poruše.' 205 | 00x0300060000010003: 'Odpor motoru %s je abnormální, motor mohl selhat.' 206 | 00x0300010000010007: 'Teplota vyhřívané podložky je abnormální, čidlo může mít rozpojený obvod.' 207 | 00x0300130000010001: 'Snímač proudu motoru %s je abnormální. Může to být způsobeno poruchou vzorkovacího obvodu.' 208 | 00x0300180000010005: 'Motor osy Z se při pohybu zřejmě zasekl, zkontrolujte, zda na jezdcích Z nebo kolečkách ozubeného řemene Z nejsou cizí tělesa.' 209 | 00x0300190000010001: 'Snímač vířivých proudů na ose Y není k dispozici, drát by měl být přerušen.' 210 | 00x0300190000020002: 'Citlivost snímače vířivých proudů na ose Y je příliš nízká.' 211 | 00x0300400000020001: 'Přenos dat přes sériový port je abnormální; softwarový systém může být vadný.' 212 | 00x0300410000010001: 'Napětí systému je nestabilní; spouští se funkce ochrany proti výpadku napájení.' 213 | 00x0300020000010001: 'Teplota trysky je abnormální, může dojít ke zkratu ohřívače.' 214 | 00x0300020000010002: 'Teplota trysky je abnormální, ohřívač může být rozpojený.' 215 | 00x0300020000010003: 'Teplota trysky je abnormální, ohřívač je přehřátý.' 216 | 00x0300020000010006: 'Teplota trysky je abnormální, čidlo může být ve zkratu.' 217 | 00x0300020000010007: 'Teplota trysky je abnormální, snímač může mít rozpojený obvod.' 218 | 00x0300120000020001: 'Spadl přední kryt tiskové hlavy.' 219 | 00x0300180000010001: 'Hodnota snímače vytlačovací síly je nízká, tryska zřejmě není nainstalována.' 220 | 00x0300180000010002: 'Citlivost snímače vytlačovací síly je nízká, tryska nemusí být správně nainstalována.' 221 | 00x0300180000010003: 'Snímač vytlačovací síly není k dispozici, spojení mezi MC a TH může být přerušeno nebo je snímač poškozen.' 222 | 223 | 00x0300180000010004: 'Údaje ze snímače vytlačovací síly jsou abnormální, snímač by měl být poškozený.' 224 | 00x03001A0000020001: 'Tryska je omotána vláknem nebo je nesprávně umístěna tisková deska.' 225 | 00x03001A0000020002: 'Snímač vytlačovací síly zjistil, že je tryska ucpaná.' 226 | 00x0C00010000010001: 'Kamera Micro Lidaru je vypnutá.' 227 | 00x0C00010000020002: 'Kamera Micro Lidar je nefunkční.' 228 | 00x0C00010000010003: 'Synchronizace Micro Lidaru je abnormální.' 229 | 00x0C00010000010004: 'Čočka Micro Lidaru je znečištěná.' 230 | 00x0C00010000010005: 'Micro Lidar OTP parametr abnormální.' 231 | 00x0C00010000020006: 'Micro Lidar extrinsic parameter abnormal. Mikrolidar extrinsic parameter abnormal.' 232 | 00x0C00010000020007: 'Parametr laseru Micro Lidar se odchýlil.' 233 | 234 | 00x0C00010000020008: 'Komorová kamera offline.' 235 | 00x0C00010000010009: 'Komorová kamera znečištěná.' 236 | 00x0C0001000001000A: 'LED dioda Micro Lidaru může být rozbitá.' 237 | 00x0C0001000002000B: 'Nepodařilo se kalibrovat Micro Lidar.' 238 | 00x0C00020000010001: 'Laser nesvítí.' 239 | 00x0C00020000020002: 'Laser je příliš silný.' 240 | 00x0C00020000020003: 'Laser není dostatečně jasný.' 241 | 00x0C00020000020004: 'Výška trysky se zdá být příliš nízká.' 242 | 00x0C00020000010005: 'Je detekován nový Micro Lidar.' 243 | 00x0C00020000020006: 'Výška trysky se zdá být příliš vysoká.' 244 | 245 | 00x0C00030000020001: 'Selhalo měření expozice vlákna.' 246 | 00x0C00030000020002: 'Kontrola první vrstvy ukončena z důvodu abnormálních údajů z lidaru.' 247 | 00x0C00030000020004: 'Kontrola první vrstvy není pro aktuální tiskovou úlohu podporována.' 248 | 00x0C00030000020005: 'Časový limit kontroly první vrstvy.' 249 | 00x0C00030000030006: 'Hromadí se vyčištěná vlákna.' 250 | 00x0C00030000030007: 'Možné vady první vrstvy.' 251 | 00x0C00030000030008: 'Možná chyba špagetování.' 252 | 00x0C00030000010009: 'Restartován modul kontroly první vrstvy.' 253 | 00x0C0003000003000B: 'Kontrola první vrstvy.' 254 | 00x0C0003000002000C: 'Nebyla detekována značka tiskové desky.' 255 | 256 | 00x0500010000020001: 'Media pipeline je nefunkční.' 257 | 00x0500010000020002: 'USB kamera není připojena.' 258 | 00x0500010000020003: 'USB kamera je nefunkční.' 259 | 00x0500010000030004: 'Na SD kartě není dostatek místa.' 260 | 00x0500010000030005: 'Chyba na SD kartě.' 261 | 00x0500010000030006: 'Neformátovaná SD karta.' 262 | 00x0500020000020001: 'Nepodařilo se připojit k internetu, zkontrolujte prosím síťové připojení.' 263 | 00x0500020000020005: 'Nepodařilo se připojit k internetu, zkontrolujte prosím síťové připojení.' 264 | 00x0500020000020002: 'Nepodařilo se přihlásit k zařízení.' 265 | 00x0500020000020004: 'Neautorizovaný uživatel.' 266 | 00x0500020000020006: 'Služba Liveview nefunguje správně.' 267 | 268 | 00x0500030000010001: 'Modul MC je nefunkční. Restartujte prosím zařízení.' 269 | 00x0500030000010002: 'Tisková hlava je nefunkční. Restartujte prosím zařízení.' 270 | 00x0500030000010003: 'Modul AMS je nefunkční. Restartujte prosím zařízení.' 271 | 00x050003000001000A: 'Stav systému je abnormální. Obnovte prosím tovární nastavení.' 272 | 00x050003000001000B: 'Obrazovka je nefunkční.' 273 | 00x050003000002000C: 'Chyba bezdrátového hardwaru: vypněte/zapněte WiFi nebo restartujte zařízení.' 274 | 00x0500040000010001: 'Nepodařilo se stáhnout tiskovou úlohu. Zkontrolujte prosím síťové připojení.' 275 | 00x0500040000010002: 'Nepodařilo se nahlásit stav tisku. Zkontrolujte prosím síťové připojení.' 276 | 00x0500040000010003: 'Obsah tiskového souboru je nečitelný. Odešlete prosím tiskovou úlohu znovu.' 277 | 00x0500040000010004: 'Tiskový soubor je neautorizovaný.' 278 | 00x0500040000010006: 'Nepodařilo se obnovit předchozí tisk.' 279 | 00x0500040000020007: 'Teplota podložky překročila teplotu vitrifikace filamentu, což může způsobit ucpání trysky.' 280 | 00x0700010000010001: 'Asistenční motor AMS%s prokluzuje. Vytlačovací kolečko může být opotřebované nebo filament může být příliš tenký. Tiskárna je v provozu.' 281 | 00x0700010000010003: 'Řízení točivého momentu asistenčního motoru AMS%s nefunguje správně. Snímač proudu může být vadný.“.' 282 | 00x0700010000010004: 'Řízení otáček asistenčního motoru AMS%s nefunguje správně. Snímač otáček může být vadný.' 283 | 00x0700010000020002: 'Asistenční motor AMS%s je přetížený. Fialment může být zamotaný nebo zaseknutý.' 284 | 00x0700020000010001: 'Chyba rychlosti a délky filamentu AMS%s. Odometrie filamentu může být vadná.' 285 | 00x0700100000010001: 'Motor AMS%s slot%s proklouzl. Vytlačovací kolečko může být nefunkční, nebo může být filament příliš tenký.' 286 | 00x0700100000010003: 'Řízení točivého momentu motoru AMS%s slot%s nefunguje správně. Snímač proudu může být vadný.' 287 | 00x0700100000020002: 'Motor AMS%s slot%s je přetížený. Filament může být zamotaný nebo zaseknutý.' 288 | 00x0700200000020001: 'Došel filament v AMS%s Slot%s.' 289 | 290 | 00x1200200000020001: 'Došel filament v AMS%s Slot%s.' 291 | 00x0700200000020002: 'AMS%s slot%s je prázdný.' 292 | 00x0700200000020003: 'Filament AMS%s slotu%s může být v AMS přerušený.' 293 | 00x0700200000020004: 'Filament v AMS%s slotu%s může být zlomený v tiskové hlavě.' 294 | 00x0700200000020005: 'Došel filament v AMS%s Slot%s a pročištění starého filamentu proběhlo nestandardně. Zkontrolujte, zda se filament nezasekl v hlavě nástroje.' 295 | 00x0700200000030001: 'Došel filament v AMS%s Slot%s. Počkejte prosím, než bude starý filament odstraněn.' 296 | 00x0700200000030002: 'Došel filament v AMS%s Slot%s a automaticky se přepnul do slotu se stejným filamentem.' 297 | 00x0700400000020001: 'Ztratil se signál vyrovnávací paměti filamentu, kabel nebo snímač polohy může být nefunkční.' 298 | 00x0700400000020002: 'Chybný signál vyrovnávací paměti filamentu, snímač polohy může být nefunkční.' 299 | 00x0700400000020003: 'Komunikace rozbočovače AMS je abnormální, kabel nemusí být dobře připojen.' 300 | 00x0700400000020004: 'Signál vyrovnávací paměti filamentu je abnormální, pružina může být zaseknutá nebo filament může být zamotaný.' 301 | 302 | 00x0700450000020001: 'Snímač řezání filamentu je nefunkční. Snímač může být vyřazen z provozu nebo poškozen.' 303 | 00x0700450000020002: 'Řezná vzdálenost filamentové řezačky je příliš velká. Motor XY může ztrácet kroky.' 304 | 00x0700450000020003: 'Rukojeť filamentové řezačky se neuvolnila. rukojeť nebo nůž jsou zaseknuté.' 305 | 00x0700510000030001: 'Systém AMS je vypnut; zaveďte filament z držáku cívky.' 306 | 00x0700500000020001: 'Komunikace AMS%s je abnormální, zkontrolujte prosím propojovací kabel.' 307 | 00x0700600000020001: 'Slot AMS%s je přetížen. Filament může být zamotaný nebo může být zaseknutá cívka.' 308 | 00x1200100000020002: 'Motor AMS%s Slot%s je přetížen. Filament může být zamotaný nebo zaseknutý.' 309 | 00x1200800000020001: 'Filament AMS%s Slot%s může být zamotaný nebo zaseknutý.' 310 | 00x07FF200000020001: 'Došel externí filament, vložte prosím nový filament.' 311 | 00x07FF200000020002: 'Chybí externí filament, vložte prosím nový filament.' 312 | 00x07FF200000020004: 'Vytáhněte prosím filament na držáku cívky z extrudéru.' 313 | 314 | 00x12FF200000020007: 'Nepodařilo se zkontrolovat umístění filamentu v tiskové hlavě, klikněte pro další nápovědu.' 315 | 00x1200200000020006: 'Nepodařilo se vytlačit filament AMS%s Slot%s, extrudér může být ucpaný nebo filament může být příliš tenký, což způsobuje prokluzování extrudéru.' 316 | 00x1200200000030002: 'Došlo vlákno AMS%s Slot%s a automaticky se přepnulo do slotu se stejným vláknem.' 317 | #NOTIFY END 318 | 319 | #CONTROL 320 | ctl_top_t_temp_axis: 'Teplota/Pozice' 321 | ctl_top_t_filament: 'Filament' 322 | ctl_t_part: 'Díl' 323 | ctl_t_aux: 'Pomocný' 324 | ctl_t_chamber: 'Komora' 325 | sw_t_on: 'ON' 326 | sw_t_off: 'OFF' 327 | ctl_t_speed: 'Rychlost tisku' 328 | ctl_t_speed_silent: 'Tichý' 329 | ctl_t_speed_standard: 'Standardní' 330 | ctl_t_speed_sport: 'Rychlá' 331 | ctl_t_speed_ludicrous: 'Bláznivá' 332 | ctl_t_extruder: 'Extruder' 333 | ctl_t_temp_high: 'Ne více než %ld℃' 334 | ctl_t_filament_t_tip: 'Tipy' 335 | ctl_t_filament_tip: 'Před vložením, ujistěte se, že filament je zaveden do tiskové hlavy.' 336 | ctl_t_to_load: 'Zavést' 337 | ctl_t_to_unload: 'Vysunout' 338 | ctl_t_heat_nozzle_temp: 'Zahřát trysku' 339 | ctl_t_push_new_filament: 'Zasuňte nový filament do extruderu' 340 | ctl_t_grab_new_filament: 'Vezměnte nový filament' 341 | ctl_t_purge_old_filament: 'Vyčistit starý filament' 342 | ctl_t_cut_filament: 'Zastřihnout filament' 343 | ctl_t_back_filament: 'Zatáhněte nazpět filament' 344 | content_empty: 'Prázdný' 345 | tpu_not_supported: '"%s %s" není podporováno AMS.' 346 | cf_gf_warning: '"%s %s" filamenty jsou tvrdé a křehké. Lehce mohou poškodit nebo ucpat AMS. Používejte s opatrností.' 347 | pva_warning: 'Vlhký "%s %s" se stane měkkým a může ucpat AMS. Nejprve jej prosím vysušte.' 348 | 349 | #CONTROL END 350 | 351 | #MQTT 352 | ctl_t_mqtt_ctl_mode: 'Režim řízení' 353 | ctl_t_mqtt_statu_master: 'Hlavní' 354 | ctl_t_mqtt_statu_slave: 'Řízená' 355 | ctl_t_mqtt_status_sync: 'Synchronizováno' 356 | ctl_t_mqtt_disconected: 'Odpojeno' 357 | printer_connecting: 'Tiskárna se připojuje.' 358 | printer_disconnected: 'Tiskárna je odpojena.' 359 | printer_connected: 'Tiskárna byla úspěšně připojena.' 360 | mqtt_login_failed: | 361 | Nelze se připojit k tiskárně! 362 | "Přístupový kód" může být špatně. Klikněte na tlačítko "Editovat" pro jeho kontrolu a nastavení. 363 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 364 | mqtt_never_connected: | 365 | Nelze se připojit k tiskárně! 366 | Ujistěte se, že tiskárna je zapnuta a připojena na stejné síti jako Panda Touch. Nebo klikněte na tlačítko "Editovat" a změňte "IP" a "Výrobní číslo". 367 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 368 | mqtt_master_changed: | 369 | Nelze se připojit k tiskárně! 370 | Ujistěte se, že tiskárna je zapnuta a připojena na stejné síti jako Panda Touch. Nebo klikněte na tlačítko "Editovat" a změňte "IP" a "Výrobní číslo". 371 | Jelikož toto je "Hlavní" tiskárna, jiná tiskárna ve skupině bude dočasně nastavena jako "Hlavní". 372 | Pokud jste tiskárnu vypnuli, ignorujte tuto zprávu. 373 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 374 | mqtt_master_error: | 375 | Nelze se připojit k tiskárně! 376 | Ujistěte se, že tiskárna je zapnuta a připojena na stejné síti jako Panda Touch. Nebo klikněte na tlačítko "Editovat" a změňte "IP" a "Výrobní číslo". 377 | Jelikož toto je "Hlavní" tiskárna a ve skupině nejsou jiné tiskárny, nemůžete dočasně používat Panda Touch, dokud toto nebude vyřešeno.. 378 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 379 | mqtt_slave: | 380 | Nelze se připojit k tiskárně! 381 | Ujistěte se, že tiskárna je zapnuta a připojena na stejné síti jako Panda Touch. Nebo klikněte na tlačítko "Editovat" a změňte "IP" a "Výrobní číslo". 382 | Jelikož toto není "Hlavní" tiskárna, nebude dostupná ani schopná řídit se "Hlavní" tiskárnou, dokud bude ve skupině. 383 | Pokud jste tiskárnu vypnuli, ignorujte tuto zprávu. 384 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 385 | mqtt_not_online: | 386 | Nelze se připojit k tiskárně! 387 | Ujistěte se, že tiskárna je zapnuta a připojena na stejné síti jako Panda Touch. 388 | Chcete-li vyřešit problémy s připojením, naskenujte QR kód. 389 | #MQTT END 390 | 391 | #FILE 392 | file_t_usb_flash_driver: 'USB Flash disk' 393 | file_t_name: 'Název' 394 | file_t_date: 'Datum' 395 | file_t_size: 'Velikost' 396 | file_s_transmitting: 'Odesílání' 397 | file_s_printers_in_sync: 'Synchronizované tiskárny:%d/%d' 398 | file_s_failed: 'Selhalo' 399 | file_s_printing: 'Tisknu' 400 | file_s_waiting: 'Čekám' 401 | #FILE END 402 | 403 | #GUID 404 | guid_t_start: 'Start' 405 | guid_c_start: 'Aktivujte původní obrazovku Bambu lab.' 406 | guid_t_get_ip_access: 'Získat IP a přístupový kód' 407 | guid_c_get_ip_access_wlan: 'Vyberte "WLAN" pomocí tlačítek a stiskněte OK.' 408 | guid_c_get_ip_access_enter: 'Zadejte IP a přístupový kód "Access Code" do Panda Touch.' 409 | guid_t_get_sn: 'Získat výrobní číslo' 410 | guid_c_get_sn_return: 'Přejděte do nastavení.' 411 | guid_c_get_sn_enter: 'Vyberte zařízení "Device" a stiskněte OK.' 412 | guid_c_get_sn_enter_code: 'Zde naleznete výrobní číslo "Printer". To zadejte do Panda Touch.' 413 | guid_t_completed: | 414 | ; ) 415 | Gratulujeme! Dokončili jste průvodce pro Panda Touch. Pojďte jej vyzkoušet. 416 | guid_c_completed: 'Klepnutím na prázdnou oblast obrazovky se vrátíte do nastavení připojení. Do sledování stavu lze přidat informace o tiskárně.' 417 | sn: 'SN:' 418 | guid_unable_find: 'Nemůžete najít nastavení tiskárny?' 419 | guide_select_lang: 'Prosím vyberte jazyk pro Panda Touch' 420 | guide_ota_not_finished: 'Aktualizace OTA ještě neskončila' 421 | guide_ota_remind: | 422 | Použijte počítač ve stejné síti Wi-Fi, což může být počítač nebo mobilní zařízení s operačním systémem iOS nebo Android. 423 | - Zadejte IP adresu zařízení Panda Touch do prohlížeče, přejděte na ovládací rozhraní a poté klikněte na tlačítko „Update File“. 424 | - Klikněte na tlačítko „Choose File“ a vyberte stažený soubor .img 425 | - Zařízení Panda Touch se automaticky začne aktualizovat. 426 | guid_ota_connect_wifi: 'Prosím připojte se na internet pomocí WiFi sítě na pravé straně a zadejte heslo. Pokud se WiFi síť nezobrazila, klikněte na tlačístko "Obnovit".' 427 | #GUID END 428 | 429 | #CLOUD START 430 | tip_about_region: 'Před přihlášením vyberte oblast, která by měla být stejná jako nastavení Vašeho účtu.' 431 | tip_del_account: 'Chcete smazat účet? Panda Touch změní přiřazené tiskárny na lokální připojení.' 432 | tip_input_phone: 'Vložte prosím telefonní číslo' 433 | tip_input_email: 'Vložte prosím e-mailovou adresu' 434 | t_region: 'Region:' 435 | t_account: 'Účet:' 436 | t_password: 'Kód:' 437 | t_region_china: 'CHINA' 438 | t_region_global: 'GLOBAL' 439 | tip_phone_incorrect: 'Zadejte platné telefonní číslo' 440 | tip_email_incorrect: 'Zadejte platný e-mail' 441 | tip_account_not_reg: 'Přihlášení se nezdařilo, účet není registrován.' 442 | tip_password_incorrect: 'Přihlášení se nezdařilo, zkontrolujte heslo.' 443 | tip_network_error: 'Přihlášení se nezdařilo, zkontrolujte síť.' 444 | tip_login_ok: | 445 | Úspěšné přihlášení do Cloudu! 446 | 447 | Chcete převést všechny stávající tiskárny do režimu cloud? Ano vyberte pouze v případě, že nepoužíváte žádné tiskárny v režimu „LAN“. Pokud používáte tiskárny v režimu „LAN“, pak raději přidejte každou tiskárnu do cloudu ručně úpravou jejího nastavení. 448 | tip_account_sync_ok: 'Tiskárny byly úspěšně převedeny do režimu cloud. Aktuální stav režimu každé tiskárny můžete vidět na stránce se zařízeními.' 449 | tip_account_sync_error: 'Některé tiskárny nebylo možné převést do režimu cloud. Zkontrolujte prosím nastavení WiFi a cloudového režimu a zkuste to znovu.' 450 | tip_account_sync_zero: 'Na účtu nejsou žádné cloudové tiskárny. Přidejte prosím tiskárnu do tohoto účtu a poté se znovu přihlaste.' 451 | tip_printer_without_cloud: 'Tato tiskárna zatím nebyla k tomuto účtu připojena. Pro přidání tiskárny do cloudu použijte BambuLab Studio nebo aplikaci Handy.' 452 | tip_printer_login_account: 'Nejdříve se prosím přihlašte do účtu.' 453 | tip_account_error: 'Váš účet má problémy. Zkontrolujte, zda nedošlo ke změně názvu Vašeho účtu. Zkontrolujte také, zda region Vašeho účtu odpovídá vaší aktuální poloze.' 454 | tip_account_network_error: 'Dochází k problémům se síťovým připojením. Zkontrolujte, zda nebylo změněno WiFi heslo. Zkuste se znovu připojit, abyste obnovili cloudové připojení tiskárny.' 455 | t_login_bambu: 'Přihlášení k účtu BambuLab' 456 | tip_convert_to_cloud: 'Převádím tiskárny na cloud mód. Prosím čekejte.' 457 | t_enable_could: 'Povolit cloud' 458 | tip_wifi_not_connected: 'Připojení WiFi bylo odpojeno, nejprve se připojte k WiFi.' 459 | tip_printer_work_in_cloud: 'Tiskárna pracuje v režimu cloud.' 460 | tip_printer_work_in_local: 'Tiskárna pracuje v režimu LAN.' 461 | tip_ftp_ip_invalid: | 462 | Ujistěte se, že tiskárna je připojena na stejné síti jako Panda Touch. 463 | Zkontrolujte a upravte "IP" a "Přístupový kód". 464 | tip_ftp_not_find: 'Soubor nenalezen.' 465 | tip_group_printer_cloud_mode: 'Tiskárna %d: %s pracuje v režimu cloud.' 466 | tip_group_printer_local_mode: 'Tiskárna %d: %s pracuje v režimu LAN.' 467 | tip_group_work_in_cloud: 'Skupina tiskáren pracuje v režimu cloud.' 468 | tip_group_work_in_local: 'Skupina tiskáren pracuje v režimu LAN.' 469 | #CLOUD END 470 | 471 | #NEW ADD 472 | tip_printer_group_max: 'Panda Touch nyní podporuje %d skupin tiskáren.' 473 | tip_one_master_at_least: 'Měli by jste mít ve skupině alespoň jednu "Hlavní" tiskárnu.' 474 | tip_one_select_at_least: | 475 | Ve skupině ponechte jednu hlavní tiskárnu. 476 | Pokud chcete skupinu odstranit, můžete stisknout tlačítko Zpět a odstranit ji tlačítkem Smazat. 477 | tip_remove_group_confirm: 'Potvrďte prosím, že chcete odebrat tuto skupinu tiskáren z Panda Touch.' 478 | tip_group_same_name: 'Název skupiny již existuje. Přejmenujte si prosím.' 479 | tip_printer_in_group: 'Tiskárna byla vybrána ve skupině, odstraňte ji prosím ze skupiny.' 480 | tip_reprint_group_printer: 'Soubor se znovu vytiskne pouze na této tiskárně. Pokud chcete zahájit tisk na všech tiskárnách ve skupině, vyčkejte na dokončení tisku na všech tiskárnách a pro zahájení tisku použijte běžný postup.' 481 | tip_reprint_printer: 'Chcete soubor znovu vytisknout na této tiskárně?' 482 | tip_waiting_print_finished: 'Před spuštěním nového tisku zastavte aktuální tisk.' 483 | tip_group_connected: 'Skupina tiskáren byla úspěšně připijena.' 484 | tip_group_printer_disconnected: 'Tiskárna %d:%s byla odpojena.' 485 | tip_group_printer_connecting: 'Tiskárna %d:%s se připojuje.' 486 | tip_group_printer_printing: 'Tiskárna %d:%s tiskne.' 487 | tip_group_printer_temp_too_high: 'Tiskárna %d:%s %d ℃.' 488 | tip_group_printer_file_config: 'Chcete vytisknout soubor %s? Vyberte funkce tisku, které chcete povolit.' 489 | tip_group_power_off: 'Chcete vypnout tiskárny v této skupině?' 490 | tip_group_reset_power_usage: 'Chcete vymazat spotřebu energie tiskáren ve skupině?' 491 | tip_group_power_off_not_online: 'Tiskárna ve skupině byla odpojena. Potvrďte prosím, zda chcete pokračovat ve vypínání?' 492 | tip_group_printing_not_idle: 'V této skupině je několik tiskáren. Vypnutí tiskárny může způsobit její zablokování. Před vypnutím napájení tiskárny počkejte, až tryska vychladne. Chcete pokračovat?' 493 | tip_group_temp_too_high_confirm: 'Ve skupině jsou některé tiskárny s teplotou trysky vyšší než 50°C. Vypnutí tiskárny může způsobit její zablokování. Před vypnutím napájení tiskárny počkejte, až tryska vychladne. Chcete pokračovat?' 494 | t_is_printing: 'Tiskne' 495 | t_is_idle: 'Nečinná' 496 | tip_enter_group_name: 'Zadejte jméno skupiny:' 497 | tip_move_confirm: 'Tiskárna/skupina tiskáren nyní tiskne a nemůže být přesunuta.' 498 | tip_always_sleep: 'Tato operace způsobí poškození obrazovky. Chcete pokračovat?' 499 | tip_bind_power: | 500 | Stiskněte a podržte tlačítko Panda PWR, dokud nezačne blikat modrá kontrolka. 501 | Poté přiložte zařízení Panda Touch k pouzdru Panda PWR a připojte je. 502 | tip_remove_keep_one: 'Ponechte si prosím alespoň jednu tiskárnu.' 503 | tip_remove_printer_with_power: 'Tato tiskárna je přiřazena k Panda PWR. Chcete pokračovat v jejím odstranění?' 504 | tip_about_power: | 505 | Panda PWR 506 | Automatické vypnutí, sledování napájení v reálném čase, sledování příkonu, duální rozhraní USB-A. Pro více informací naskenujte QR kód. 507 | tip_power_off_not_online_confirm: 'Tiskárna byla odpojena, potvrďte prosím, zda chcete vypnout napájení tiskárny?' 508 | tip_power_off_temp_too_high_confirm: 'Teplota trysky je >50°C. Vypnutí tiskárny může způsobit její zablokování. Před vypnutím napájení tiskárny počkejte, až tryska vychladne. Chcete pokračovat?' 509 | tip_power_off_confirm: 'Potvrďte prosím, že chcete vypnout napájení tiskárny?' 510 | tip_auto_power_off_confirm: 'Tiskárna se vypne po dokončení tisku a ochlazení trysky pod 50°C.' 511 | t_auto_power_off: 'Automatické vypnutí:' 512 | t_min: 'Min' 513 | t_countdown: 'Odpočet:' 514 | t_power: 'Napájení' 515 | tip_know_power: 'Co je Panda PWR' 516 | tip_add_power: 'Přidat Panda PWR' 517 | t_voltage: 'Napětí:' 518 | t_current: 'Proud:' 519 | t_power_2: 'Příkon:' 520 | t_power_usage: 'Spotřeba energie:' 521 | t_printer: 'Hlavní-tiskárna:' 522 | t_power_wifi: 'WiFi SSID:' 523 | t_power_usb_follow: 'USB 1 podle osvětlení tiskárny:' 524 | t_usb_config_off: 'VYP' 525 | t_usb_config_on: 'ZAP' 526 | t_must_high: 'Vstupní hodnota musí být vyšší než %ld' 527 | t_must_less: 'Vstupní hodnota musí být nižší než %ld' 528 | t_power_printer_no: 'Ne.' 529 | tip_confirm_bind_power: 'Chcete přiřadit Panda PWR?' 530 | tip_confirm_unbind_power: 'Chcete odebrat Panda PWR?' 531 | t_reset_power_usage: | 532 | RST 533 | Spotřeba 534 | t_reset_power_usage_print: 'Reset spotřeby' 535 | tip_confirm_reset_power_usage: 'Chcete vymyzat spotřebu energie?' 536 | t_auto_off: 'Automatické vypnutí' 537 | t_power_off_all: 'Chcete vypnout tiskárny ve skupině přiřazené k PWR?' 538 | t_pwr_has_been_bind: 'Toto PWR je již přiřazeno k tiskárně %s, před pokračováním jej prosím odstraňte.' 539 | tip_pwr_max: 'Panda Touch nyní podporuje připojení k %d Panda PWR.' 540 | t_power_off_after_printing: 'Automatické vypnutí' 541 | tip_change_reboot: 'Chcete-li dosáhnout vyšší rychlosti, vyžaduje se restart. Restartovat?' 542 | t_multi_print_heat_delay: 'Zpoždění ohřevu vícenásobného tisku' 543 | t_file_t_history: 'Historie tisku' 544 | t_history_cost_time: 'Cena času' 545 | t_history_weight: 'Váha' 546 | t_history_only_cloud: 'Pouze pro Cloud mode' 547 | t_history_not_find: 'Nenalezeno' 548 | t_default_directory: 'Výchozí adresář' 549 | t_reboot_take_effect: 'Je třeba restartovat. Chcete pokračovat?' 550 | t_send_code: 'Zaslat kód' 551 | tip_send_code: 'Vložte kód' 552 | tip_error_code_length: 'Délka k´du musí být 6 čísel' 553 | tip_error_code: 'Kód neexistuje nebo jeho platnost vypršela. Požádejte o nový ověřovací kód.' 554 | tip_error_send_code: 'Zaslání kódu selhalo. Zkontrolujte připojení k internetu.' 555 | tip_loading_thumbnail: 'Nahrávám data z tiskárny. Počkejte prosím chvíli.' 556 | t_sd_enhanced_load_thumbnails: 'Vylepšené zobrazení miniatur' 557 | tip_enhanced_load_effect: 'Tisk z USB disku nebo kliknutí na panel SD karty způsobí dlouhou prodlevu a projeví se po restaru. Pokračovat?' 558 | tip_not_higher: 'Not higher than %d.' 559 | tip_dry_step1: '#%x Step1:# Remove anything that may be under or above the hotbed to avoid collisions with the hotbed, and remove filament from the tool head to avoid risk of clogging.' 560 | tip_dry_step2: '#%x Step2:# Click the "Prepare" button to move the tool head and hot bed to the preset position.' 561 | tip_dry_step3: '#%x Step3:# Place the filament on the hot bed as shown in the figure. (Closing the lid ensures better drying effect, the lid can be printed by PC or boxed).' 562 | tip_dry_step4: '#%x Step4:# Select the filament type, set the hot bed temperature and drying time, and click the "Start" button. (Flip the filament halfway through drying ensures better drying effect.)' 563 | tip_dry_completed: 'Drying completed.' 564 | tip_dry_not_support: 'Not support for A1, A1-mini.' 565 | tip_dry_printer_printing: 'The printer is printing.' 566 | tip_skip_obj_selected: '#ff0000 %d# objects is selected' 567 | tip_dry_ing: 'Drying' 568 | tip_dry_prepare_ok: 'Ready, please check if the printer tool head has returned to the preset position before clicking start.' 569 | #NEW ADD END -------------------------------------------------------------------------------- /Translation/en-GB.yml: -------------------------------------------------------------------------------- 1 | en-GB: 2 | #SETTING PAGE 3 | lang_name_t: 'English' 4 | 5 | min_time_t_1: '1min' 6 | min_time_t_2: '2min' 7 | min_time_t_3: '3min' 8 | min_time_t_5: '5min' 9 | min_time_t_10: '10min' 10 | min_time_t_15: '15min' 11 | min_time_t_60: '60min' 12 | sleep_time_t_always: 'Always On' 13 | 14 | setting_gen_t: 'General' 15 | setting_net_t: 'Network' 16 | setting_gen_t_dev: 'Device:' 17 | setting_gen_t_man: 'Manufacturer:' 18 | setting_gen_t_lang: 'Language:' 19 | setting_gen_t_fw: 'Firmware:' 20 | setting_gen_t_slp: 'AutoSleep:' 21 | setting_gen_t_backlight: 'Backlight brightness:' 22 | setting_gen_t_reb: 'Restart' 23 | setting_gen_t_rst: 'Restore Factory Settings' 24 | #SETTING PAGE END 25 | 26 | #BUTTONS 27 | btn_cancel: 'Cancel' 28 | btn_ok: 'OK' 29 | btn_restart: 'Restart' 30 | btn_refresh: 'Refresh' 31 | btn_confirm: 'Confirm' 32 | btn_next: 'Next' 33 | btn_back: 'Back' 34 | btn_del: 'Delete' 35 | btn_scan: 'Scan' 36 | btn_factory: 'Factory Reset' 37 | btn_close: 'Close' 38 | btn_ignore_all: 'Ignore All' 39 | btn_load: 'Load' 40 | btn_unload: 'Unload' 41 | btn_retry: 'Retry' 42 | btn_abort: 'Abort' 43 | btn_print: 'Print' 44 | btn_remove: 'Remove' 45 | btn_stop: 'Stop' 46 | btn_pause: 'Pause' 47 | btn_resume: 'Resume' 48 | btn_filament: 'Filament' 49 | btn_done: 'Done' 50 | btn_stop_all: 'Stop All' 51 | btn_format: 'Format' 52 | btn_disconnect: 'Disconnect' 53 | btn_edit: 'Edit' 54 | btn_yes: 'Yes' 55 | btn_no: 'No' 56 | btn_reset: 'Reset' 57 | btn_add_printer: 'Add Printer' 58 | btn_add_group: 'Add Group' 59 | btn_goto_printers: 'Go to multi-device page' 60 | btn_goto_wifi: 'Go to Wi-Fi network' 61 | btn_ignore: 'Ignore' 62 | btn_goto_login: 'Go to Login page' 63 | btn_dry: 'Drying' 64 | btn_dry_prepare: 'Prepare' 65 | btn_dry_start: 'Start dry' 66 | btn_skip_obj: 'Skip' 67 | #BUTTONS END 68 | 69 | set_net_wifi_scaned: 'Scanned WiFi' 70 | welcome_tip: 'Please connect to the internet by selecting the WiFi network on the right and then entering the password. Hit refresh if you don''t see the desired network. Hit next once you have connected to the desired network.' 71 | tip_scan_qrcode: 'Please use your phone to scan the QR code to access the online manual.' 72 | loading: 'Loading...' 73 | top_wifi_connect: 'Connecting to WiFi %s' 74 | top_wifi_connect_fail: 'Failed to connect to WiFi: %s' 75 | top_wifi_disconnected: 'Disconnected from WiFi: %s' 76 | top_print_connecting: 'Connecting to Printer %d: %s' 77 | top_print_connected: 'Successfully connected to Printer %d: %s' 78 | top_print_connect_fail: 'Failed to connect to Printer %d: %s' 79 | #PRINT 80 | panda_touch: 'Panda Touch' 81 | printer_model: 'Model:' 82 | printer_name: 'Name:' 83 | scan_print_t_acescd: 'Access Code:' 84 | scan_print_t_ip: 'Printer IP:' 85 | filament_t_color: 'Filament color:' 86 | filament_t_matrl: 'Filament material:' 87 | nozzle_t_diameter: 'Nozzle diameter:' 88 | nozzle_t_matrl: 'Nozzle material:' 89 | wifi_c_wait_cancel: 'Waiting for cancellation...' 90 | print_bed_leveling: 'Bed Leveling' 91 | print_flow_calibration: 'Flow Calibration' 92 | print_timelapse: 'Timelapse' 93 | prints_in_sync: 'Printers in sync: %d' 94 | start_print_confirm: | 95 | Before starting the print, please take note of the following: 96 | 1. Ensure that the file was sliced for the selected printer(s). 97 | 2. Ensure the filament settings in the sliced file match the filament loaded into the AMS slots. 98 | print_using_ams: 'Use AMS' 99 | print_ams: 'Spool holder' 100 | print_canceled: 'Cancelled' 101 | print_finished: 'Finished' 102 | print_reprint: 'Reprint' 103 | bed_preheating: 'Heatbed preheating' 104 | nozzle_clean: 'Cleaning nozzle tip' 105 | bed_auto_leveing: 'Auto bed leveling' 106 | print_preparing: 'Preparing to print' 107 | print_t: 'Printer' 108 | print_not_find: 'No printers found, check your network and scan again' 109 | filament_unknown: 'Filament type is unknown, but it is required to perform this action. Do you want to edit the filament''s information?' 110 | printer_add_repeat: 'This printer has already been added to the Panda Touch and cannot be added again.' 111 | printer_has_add: 'Already added' 112 | printer_busy: | 113 | 114 | 115 | Busy Printing 116 | nozzle_temperature: 'Nozzle Temperature' 117 | bambu_info_readonly: 'Infomation about Bambu Filament is stored in RFID and is read-only.' 118 | setting_slot_not_sup: 'Setting slot information while printing is not supported.' 119 | filament_minimum: 'Minimum' 120 | filament_maximum: 'Maximum' 121 | filament_unknown_type: 'Unknown' 122 | #PRINT 123 | #TIPS 124 | tip_input_optional: '(Optional)' 125 | tip_input_name: '(Required)Input your printer name' 126 | tip_input_ip: '(Required)Input your printer IP' 127 | tip_input_acescd: '(Required)Input your access code' 128 | tip_input_sn: '(Required)Input your SN' 129 | pop_tip_add_dev: 'Please confirm that you want to add this printer connection to the Panda Touch' 130 | pop_tip_restart: 'Please confirm that you want to restart the Panda Touch.' 131 | pop_tip_input_password: 'Input password' 132 | pop_tip_factory: 'Please confirm that you want to restore the factory settings. The Panda Touch will forget the WiFi settings and all added printers. A restart will be performed once done.' 133 | new_tip_get_info: 'How to get IP, Access Code, and SN Code.' 134 | pop_tip_print_abort: 'Please confirm whether to abort the current and subsequent upload and print tasks.' 135 | tip_not_insert_sdcard: 'MicroSD Card not inserted into printer.' 136 | tip_not_insert_usb_flash: 'USB Flash Drive not inserted.' 137 | tip_not_select_print: 'No printer selected, please select at least one printer to start printing.' 138 | tip_remove_refuse: 'Only "Disconnected" printers can be deleted. Please set this printer to "Disconnected" before deleting it.' 139 | tip_remove_confirm: 'Please confirm that you want to remove this printer from the Panda Touch.' 140 | tip_master_must: 'There must be at least one printer set as the "Master".' 141 | tip_mainly_query: 'Only one printer can be set as the "Master". Do you want to set this printer as the "Master" and set the old "Master" printer to "Sync"?' 142 | tip_printer_max: 'Panda Touch currently only supports connecting up to "%d" printers. You can use a second Panda Touch unit to control additional printers.' 143 | tip_pause_all: 'Are you sure that you want to pause all ongoing prints?' 144 | tip_stop_all: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop all ongoing prints?' 145 | tip_faild_upload: | 146 | Failed to upload file, please check the following: 147 | 1. Is the printer properly plugged in with an SD card and does the SD card have sufficient capacity. 148 | 2. Ensure the USB drive is well secured into the Panda Touch. 149 | 3. Move to a location with better WiFi signal. 150 | 4. When in cloud mode, please check and re-edit the "IP" or "Access Code". 151 | tip_wifi_disconnected: 'The WiFi connection was lost. Please ensure that you are in an area with sufficient signal strength.' 152 | tip_wifi_error: 'Failed to connect to current WiFi, Please check signal strength & password entered and then reconnect.' 153 | tip_unload_has_filament: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler.' 154 | tip_unload_has_filament_l: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler and click the "Retry" button.' 155 | tip_load_no_filament: 'Please feed from the spool holder until the tool head filament sensor is triggered.' 156 | tip_load_no_filament_l: 'Please feed from the spool holder until the tool head filament sensor is triggered and click the "Retry" button.' 157 | tip_load_filament: 'Please observe the nozzle. If the filament has been extruded, click "Done"; if it is not, please push the filament forward slightly and then click "Retry".' 158 | tip_heatbreak_fan: 'The heatbreak fan speed is abnormal.' 159 | tip_parsing_gcode: 'There was a problem parsing gcode.3mf. Please resend the printing job.' 160 | tip_nozzle_temp_malf: 'Nozzle temperature malfunction.' 161 | tip_front_cover: 'Printing was paused because the front cover of the tool head fell off. Please mount it back and click the resume icon to resume the print job.' 162 | tip_filament_runout: 'The filament ran out. Please load new filament in "Filament" and tap "Resume" to resume the print job.' 163 | tip_pause_print: 'Are you sure that you want to pause the ongoing print?' 164 | tip_stop_print: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop the ongoing print?' 165 | tip_ams_runout: 'AMS filament has ran out. Please insert a new filament into the AMS and click the "Retry" button.' 166 | tip_ams_overload: 'AMS assist motor is overloaded. Please check if the spool or filament is stuck. After troubleshooting, click the "Retry" button.' 167 | tip_failed_feed: 'Failed to feed the filament into the toolhead. Please check whether the filament or the spool is stuck. After troubleshooting, click the "Retry" button.' 168 | tip_failed_pull: 'Failed to pull out the filament from the extruder. Please check whether the extruder is clogged or whether the filament is broken inside the extruder. After troubleshooting, click the "Retry" button.' 169 | tip_failed_extrude: 'Failed to extrude the filament. Please check if the extruder is clogged. After troubleshooting, click the "Retry" button.' 170 | tip_failed_feed_outside: 'Failed to feed the filament outside the AMS. Please clip the end of the filament flat and check to see if the spool is stuck. After troubleshooting, click the "Retry" button.' 171 | tip_select_model: 'Please select the model of the printer' 172 | tip_ams_busy: 'Cannot read filament info; the AMS is busy. Please try again later.' 173 | tip_ams_reading: 'The AMS is busy reading filament info; please try again later.' 174 | tip_ams_tray_empty: 'This tray is empty. Please try again after inserting filament.' 175 | tip_firmware: 'Please scan the code to view firmware release history and instructions on how to update the firmware.' 176 | #TIPS END 177 | #NOTIFY 178 | notify_center_t: 'Notification Center' 179 | notify_cnt_t: 'number of notifications:' 180 | notify_remind: 'Please scan the code to view possible solutions, or click the "Goto Printer" button to Set this printer as the "Master" printer' 181 | notify_remind_go_print: 'Goto Printer' 182 | notify_unknow_state: 'Panda Touch unknown status code.' 183 | 184 | 00x0300100000020001: 'The resonance frequency of the %s axis is low. The timing belt may be loose.' 185 | 00x0300100000020002: 'The 1st order mechanical resonance mode of %s axis differ much from last calibration, please re-run the machine calibration later.' 186 | 00x03000F0000010001: 'The accelerometer data is unavailable.' 187 | 00x03000D000001000B: 'The Z axis motor seems got stuck when moving up.' 188 | 00x03000D0000010003: 'The build plate is not placed properly. Please adjust it.' 189 | 00x03000D0000010004: 'The build plate is not placed properly. Please adjust it.' 190 | 00x03000D0000010005: 'The build plate is not placed properly. Please adjust it.' 191 | 00x03000D0000010006: 'The build plate is not placed properly. Please adjust it.' 192 | 00x03000D0000010007: 'The build plate is not placed properly. Please adjust it.' 193 | 00x03000D0000010008: 'The build plate is not placed properly. Please adjust it.' 194 | 195 | 00x03000D0000010009: 'The build plate is not placed properly. Please adjust it.' 196 | 00x03000D000001000A: 'The build plate is not placed properly. Please adjust it.' 197 | 00x03000D0000020001: 'Heatbed homing abnormal.' 198 | 00x03000A0000010005: 'Force sensor %s detected unexpected continuous force. The heatbed may be stuck, or the analog front end may be broken.' 199 | 00x03000A0000010004: 'External disturbance was detected when testing the force sensor %s sensitivity. The heatbed plate may have touched something outside the heatbed.' 200 | 00x03000A0000010003: 'The sensititvity of heatbed force sensor %s is too low.' 201 | 00x03000A0000010002: 'The sensititvity of heatbed force sensor %s is low.' 202 | 00x03000A0000010001: 'The sensititvity of heatbed force sensor %s is too high.' 203 | 00x0300040000020001: 'The speed of part cooling fan if too slow or stopped.' 204 | 00x0300030000020002: 'The speed of hotend fan is slow.' 205 | 206 | 00x0300030000010001: 'The speed of the hotend fan is too slow or stopped.' 207 | 00x0300060000010001: 'Motor-%s has an open-circuit. There may be a loose connection, or the motor may have failed.' 208 | 00x0300060000010002: 'Motor-%s has a short-circuit. It may have failed.' 209 | 00x0300060000010003: 'The resistance of Motor-%s is abnormal, the motor may have failed.' 210 | 00x0300010000010007: 'The heatbed temperature is abnormal; the sensor may have an open circuit.' 211 | 00x0300130000010001: 'The current sensor of Motor-%s is abnormal. This may be caused by a failure of the hardware sampling circuit.' 212 | 00x0300180000010005: 'The Z axis motor seems got stuck during movement, please check if there is any foreign matter on the Z sliders or Z timing belt wheels.' 213 | 00x0300190000010001: 'The eddy current sensor on Y-axis is not available, the wire should be broken.' 214 | 00x0300190000020002: 'The sensitivity of Y-axis eddy current sensor is too low.' 215 | 00x0300400000020001: 'Data transmission over the serial port is abnormal; the software system may be faulty.' 216 | 217 | 00x0300410000010001: 'The system voltage is unstable; triggering the power failure protection function.' 218 | 00x0300020000010001: 'The nozzle temperature is abnormal, the heater may be short circuit.' 219 | 00x0300020000010002: 'The nozzle temperature is abnormal, the heater may be open circuit.' 220 | 00x0300020000010003: 'The nozzle temperature is abnormal, the heater is over temperature.' 221 | 00x0300020000010006: 'The nozzle temperature is abnormal, the sensor may be short circuit.' 222 | 00x0300020000010007: 'The nozzle temperature is abnormal, the sensor may be open circuit.' 223 | 00x0300120000020001: 'The front cover of the toolhead fell off.' 224 | 00x0300180000010001: 'The value of extrusion force sensor is low, the nozzle seems to not be installed.' 225 | 00x0300180000010002: 'The sensitivity of the extrusion force sensor is low, the hotend may not installed correctly.' 226 | 00x0300180000010003: 'The extrusion force sensor is not available, the link between the MC and TH may be broken or the sensor is broken.' 227 | 228 | 00x0300180000010004: 'The data from extrusion force sensor is abnormal, the sensor should be broken.' 229 | 00x03001A0000020001: 'The nozzle is wrapped in the filament or the build plate is placed incorrectly.' 230 | 00x03001A0000020002: 'The extrusion force sensor detects that the nozzle is clogged.' 231 | 00x0C00010000010001: 'Micro Lidar camera is offline.' 232 | 00x0C00010000020002: 'Micro Lidar camera is malfunctioning.' 233 | 00x0C00010000010003: 'Micro Lidar Synchronization abnormal.' 234 | 00x0C00010000010004: 'Micro Lidar Lens dirty.' 235 | 00x0C00010000010005: 'Micro Lidar OTP parameter abnormal.' 236 | 00x0C00010000020006: 'Micro Lidar extrinsic parameter abnormal.' 237 | 00x0C00010000020007: 'Micro Lidar laser parameter drifted.' 238 | 239 | 00x0C00010000020008: 'Chamber camera offline.' 240 | 00x0C00010000010009: 'Chamber camera dirty.' 241 | 00x0C0001000001000A: 'The Micro Lidar LED may be broken.' 242 | 00x0C0001000002000B: 'Failed to calibrate Micro Lidar.' 243 | 00x0C00020000010001: 'Laser not lit.' 244 | 00x0C00020000020002: 'Laser too thick.' 245 | 00x0C00020000020003: 'Laser not bright enough.' 246 | 00x0C00020000020004: 'Nozzle height seems too low.' 247 | 00x0C00020000010005: 'A new micro lidar is detected.' 248 | 00x0C00020000020006: 'Nozzle height seems too high.' 249 | 250 | 00x0C00030000020001: 'Filament exposure metering failed.' 251 | 00x0C00030000020002: 'First layer inspection terminated due to abnormal lidar data.' 252 | 00x0C00030000020004: 'First layer inspection not supported for current print job.' 253 | 00x0C00030000020005: 'First layer inspection timeout.' 254 | 00x0C00030000030006: 'Purged filaments piled up.' 255 | 00x0C00030000030007: 'Possible first layer defects.' 256 | 00x0C00030000030008: 'Possible spaghetti defects.' 257 | 00x0C00030000010009: 'First layer inspection module rebooted.' 258 | 00x0C0003000003000B: 'Inspecting first layer.' 259 | 00x0C0003000002000C: 'Build plate marker not detected.' 260 | 261 | 00x0500010000020001: 'The media pipeline is malfunctioning.' 262 | 00x0500010000020002: 'USB camera is not connected.' 263 | 00x0500010000020003: 'USB camera is malfunctioning.' 264 | 00x0500010000030004: 'Not enough space in SD Card.' 265 | 00x0500010000030005: 'Error in SD Card.' 266 | 00x0500010000030006: 'Unformatted SD Card.' 267 | 00x0500020000020001: 'Failed to connect internet, please check the network connection.' 268 | 00x0500020000020005: 'Failed to connect internet, please check the network connection.' 269 | 00x0500020000020002: 'Failed to login device.' 270 | 00x0500020000020004: 'Unauthorized user.' 271 | 00x0500020000020006: 'Liveview service is malfunctioning.' 272 | 273 | 00x0500030000010001: 'The MC module is malfunctioning. Please restart the device.' 274 | 00x0500030000010002: 'The toolhead is malfunctioning. Please restart the device.' 275 | 00x0500030000010003: 'The AMS module is malfunctioning. Please restart the device.' 276 | 00x050003000001000A: 'System state is abnormal. Please restore factory settings.' 277 | 00x050003000001000B: 'The screen is malfunctioning.' 278 | 00x050003000002000C: 'Wireless hardware error: please turn off/on WiFi or restart the device.' 279 | 00x0500040000010001: 'Failed to download print job. Please check your network connection.' 280 | 00x0500040000010002: 'Failed to report print state. Please check your network connection.' 281 | 00x0500040000010003: 'The content of print file is unreadable. Please resend the print job.' 282 | 00x0500040000010004: 'The print file is unauthorized.' 283 | 00x0500040000010006: 'Failed to resume previous print.' 284 | 285 | 00x0500040000020007: 'The bed temperature exceeds the filament''s vitrification temperature, which may cause a nozzle clog..' 286 | 00x0700010000010001: 'The AMS%s assist motor has slipped.The extrusion wheel may be worn down,or the filament may be too thin.' 287 | 00x0700010000010003: 'The AMS%s assist motor torque control is malfunctioning.The current sensor may be faulty.' 288 | 00x0700010000010004: 'The AMS%s assist motor speed control is malfunctioning.The speed sensor may be faulty.' 289 | 00x0700010000020002: 'The AMS%s assist motor is overloaded,The filament may be tangled or stuck.' 290 | 00x0700020000010001: 'AMS%s filament speed and length error.The filament odometry may be faulty.' 291 | 00x0700100000010001: 'The AMS%s slot%s motor has slipped.The extrusion wheel may be malfunctioning,or the filament may be too thin.' 292 | 00x0700100000010003: 'The AMS%s slot%s motor torque control is malfunctioning.The current sensor may be faulty.' 293 | 00x0700100000020002: 'The AMS%s slot%s motor is overloaded.The filament may be tangled or stuck.' 294 | 00x0700200000020001: 'AMS%s Slot%s filament has run out.' 295 | 296 | 00x1200200000020001: 'AMS%s Slot%s filament has run out.' 297 | 00x0700200000020002: 'The AMS%s slot%s is empty.' 298 | 00x0700200000020003: 'The AMS%s slot%s''s filament may be broken in AMS.' 299 | 00x0700200000020004: 'The AMS%s slot%s''s filament may be broken in the tool head.' 300 | 00x0700200000020005: 'AMS%s Slot%s filament has run out, and purging the old filament went abnormally; please check whether the filament is stuck in the tool head.' 301 | 00x0700200000030001: 'AMS%s Slot%s filament has run out. Please wait while old filament is purged.' 302 | 00x0700200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 303 | 00x0700400000020001: 'The filament buffer signal lost,the cable or position sensor may be malfunctioning.' 304 | 00x0700400000020002: 'The filament buffer position signal error,the position sensor may be malfunctioning.' 305 | 00x0700400000020003: 'The AMS Hub communication is abnormal,the cable may be not well connected.' 306 | 00x0700400000020004: 'The filament buffer signal is abnormal,the spring may be stuck or the filament may be tangle.' 307 | 308 | 00x0700450000020001: 'The filament cutter sensor is malfunctioning.The sensor may be disconected or damaged.' 309 | 00x0700450000020002: 'The filament cutter''s cutting distance is too large.The XY motor may lose steps..' 310 | 00x0700450000020003: 'The filament cutter handle has not released.The handle or blade ay be stuck.' 311 | 00x0700510000030001: 'The AMS is disabled; please load filament from spool holder.' 312 | 00x0700500000020001: 'The AMS%s communication is abnormal,please check the connection cable.' 313 | 00x0700600000020001: 'The AMS%s slot%s is overloaded. The filament may be tangled or the spool may be stuck.' 314 | 00x1200100000020002: 'The AMS%s Slot%s motor is overloaded. The filament may be tangled or stuck.' 315 | 00x1200800000020001: 'AMS%s Slot%s filament may be tangled or stuck.' 316 | 00x07FF200000020001: 'External filament has run out; please load a new filament.' 317 | 00x07FF200000020002: 'External filament is missing; please load a new filament.' 318 | 00x07FF200000020004: 'Please pull out the filament on the spool holder from the extruder.' 319 | 320 | 00x12FF200000020007: 'Failed to check the filament location in the tool head, please click for more help.' 321 | 00x1200200000020006: 'Failed to extrude AMS%s Slot%s filament, the extruder may be clogged, or the filament may be too thin, causing the extruder slipping.' 322 | 00x1200200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 323 | #NOTIFY END 324 | 325 | #CONTROL 326 | ctl_top_t_temp_axis: 'Temperature/Axis' 327 | ctl_top_t_filament: 'Filament' 328 | ctl_t_part: 'Part' 329 | ctl_t_aux: 'Aux' 330 | ctl_t_chamber: 'Chamber' 331 | sw_t_on: 'ON' 332 | sw_t_off: 'OFF' 333 | ctl_t_speed: 'Printing speed' 334 | ctl_t_speed_silent: 'Silent' 335 | ctl_t_speed_standard: 'Standard' 336 | ctl_t_speed_sport: 'Sport' 337 | ctl_t_speed_ludicrous: 'Ludicrous' 338 | ctl_t_extruder: 'Extruder' 339 | ctl_t_temp_high: 'Not higher than %ld℃' 340 | ctl_t_filament_t_tip: 'Tips' 341 | ctl_t_filament_tip: 'Before loading, please make sure your filament is pushed into the toolhead.' 342 | ctl_t_to_load: 'To load' 343 | ctl_t_to_unload: 'To unload' 344 | ctl_t_heat_nozzle_temp: 'Heat the nozzle' 345 | ctl_t_push_new_filament: 'Push new filament into the extruder' 346 | ctl_t_grab_new_filament: 'Grab new filament' 347 | ctl_t_purge_old_filament: 'Purge old filament' 348 | ctl_t_cut_filament: 'Cut filament' 349 | ctl_t_back_filament: 'Pull back current filament' 350 | content_empty: 'Empty' 351 | tpu_not_supported: '"%s %s" is not supported by the AMS.' 352 | cf_gf_warning: '"%s %s" filaments are hard and brittle. They easily break or get stuck in the AMS; please use with caution.' 353 | pva_warning: 'Damp "%s %s" will become flexible and get stuck inside AMS; please take care to dry ot before use.' 354 | 355 | #CONTROL END 356 | 357 | #MQTT 358 | ctl_t_mqtt_ctl_mode: 'Control Mode' 359 | ctl_t_mqtt_statu_master: 'Leader' 360 | ctl_t_mqtt_statu_slave: 'Follower' 361 | ctl_t_mqtt_status_sync: 'Sync' 362 | ctl_t_mqtt_disconected: 'Disconnected' 363 | printer_connecting: 'Printer is currently connecting.' 364 | printer_disconnected: 'Printer is disconnected.' 365 | printer_connected: 'Printer has successfully connected.' 366 | mqtt_login_failed: | 367 | Cannot connect to printer! 368 | It may be that the "Access Code" is wrong. Click "Edit" to check and re-edit the "Access Code". 369 | To troubleshoot connection problems please scan the QR code. 370 | mqtt_never_connected: | 371 | Cannot connect to printer! 372 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 373 | To troubleshoot connection problems please scan the QR code. 374 | mqtt_master_changed: | 375 | Cannot connect to printer! 376 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 377 | Since this is the "Master", another printer in the group will be temporarily assigned as the "Master". 378 | If you have powered the printer off then ignore this message. 379 | To troubleshoot connection problems please scan the QR code. 380 | mqtt_master_error: | 381 | Cannot connect to printer! 382 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 383 | Since this is the "Master" and there are no other connected printers available in the group, you will not be able to use the Panda Touch until this is resolved. 384 | To troubleshoot connection problems please scan the QR code. 385 | mqtt_slave: | 386 | Cannot connect to printer! 387 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 388 | This printer is not the "Master" so it will not be accessible or able to follow the "Master" if it is in a group. 389 | If you have powered the printer off then ignore this message. 390 | To troubleshoot connection problems please scan the QR code. 391 | mqtt_not_online: | 392 | Cannot connect to printer! 393 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch. 394 | To troubleshoot connection problems please scan the QR code. 395 | #MQTT END 396 | 397 | #FILE 398 | file_t_usb_flash_driver: 'USB Flash Drive' 399 | file_t_name: 'Name' 400 | file_t_date: 'Date' 401 | file_t_size: 'Size' 402 | file_s_transmitting: 'Transmitting' 403 | file_s_printers_in_sync: 'Printers in sync:%d/%d' 404 | file_s_failed: 'Failed' 405 | file_s_printing: 'Printing' 406 | file_s_waiting: 'Waiting' 407 | #FILE END 408 | 409 | #GUID 410 | guid_t_start: 'Start' 411 | guid_c_start: 'Activate the Bambu lab original screen.' 412 | guid_t_get_ip_access: 'Get IP and Access Code' 413 | guid_c_get_ip_access_wlan: 'Select WLAN using D-pad, press OK to enter.' 414 | guid_c_get_ip_access_enter: 'Enter the IP and Access codes into the corresponding Panda Touch input boxes.' 415 | guid_t_get_sn: 'Get SN Code' 416 | guid_c_get_sn_return: 'Press return to settings.' 417 | guid_c_get_sn_enter: 'Select device using D-pad, press OK to enter.' 418 | guid_c_get_sn_enter_code: 'This is the SN code, please enter it in the corresponding input box on Panda Touch.' 419 | guid_t_completed: | 420 | ; ) 421 | Congratulations! You have completed the Panda Touch tutorial. Try out the features. 422 | guid_c_completed: 'Click blank area of the screen to return to connection interface. Can add printer info to track status.' 423 | sn: 'SN:' 424 | guid_unable_find: 'Unable to find your printer settings?' 425 | guide_select_lang: 'Please select your Panda Touch language' 426 | guide_ota_not_finished: 'OTA is not finished yet' 427 | guide_ota_remind: | 428 | Please use a computer on the same WiFi network, which can be a computer or mobile device running an operating system such as iOS or Android. This is referred to as the "computer" below. 429 | • Enter the Panda Touch's IP address in the computer's browser to access the web UI, and then click "Update File" button. 430 | • Click the "Choose File" button, then select the downloaded .img file. 431 | • The Panda Touch will automatically start updating. 432 | guid_ota_connect_wifi: 'Please connect to the Internet by selecting the WiFi network on the right and entering the password. If the network you want to connect to does''n''t appear, click the Refresh button.' 433 | #GUID END 434 | 435 | #CLOUD START 436 | tip_about_region: 'Please select the region before you Login, the region should be the same as your account region.' 437 | tip_del_account: 'Do you need to delete the account? PandaTouch will convert the printer bound to this account to local mode.' 438 | tip_input_phone: 'Please input your phone number' 439 | tip_input_email: 'Please input your email address' 440 | t_region: 'Region:' 441 | t_account: 'Account:' 442 | t_password: 'Code:' 443 | t_region_china: 'CHINA' 444 | t_region_global: 'GLOBAL' 445 | tip_phone_incorrect: 'Input the valid phone number' 446 | tip_email_incorrect: 'Input the valid email' 447 | tip_account_not_reg: 'Login failed, this account is not registered.' 448 | tip_password_incorrect: 'Login failed, please check the password.' 449 | tip_network_error: 'Login failed, please check the network.' 450 | tip_login_ok: | 451 | Cloud login successful! 452 | 453 | Would you like to convert all existing printers to cloud mode? Only select yes if you are not using any printers in “LAN mode”. If you are using printers in “LAN mode” then rather add each printer manually to the cloud by editing the mode settings. 454 | tip_account_sync_ok: 'Printers were successfully converted to cloud mode. You can see the current mode status of each printer in the multi-device page.' 455 | tip_account_sync_error: 'Some printers could not be converted to cloud mode. Please check your WiFi and cloud mode settings and try again.' 456 | tip_account_sync_zero: 'There are no cloud printers in the current account. Please add a printer to this account and then login again.' 457 | tip_printer_without_cloud: 'This printer has not been bound to this account yet. Please use BambuLab Studio or Handy to add the printer before enable the cloud.' 458 | tip_printer_login_account: 'Please log in to an account first.' 459 | tip_account_error: 'Your account is experiencing issues. Please check if there have been any changes to your account name. Also, verify that your account region matches your current location.' 460 | tip_account_network_error: 'Your network connection is experiencing issues. Please check if the network password has been changed and try reconnecting to restore the printer''s cloud connection.' 461 | t_login_bambu: 'Login BambuLab Account' 462 | tip_convert_to_cloud: 'Converting printers to cloud mode. Please wait.' 463 | t_enable_could: 'Enable cloud' 464 | tip_wifi_not_connected: 'The Wi-Fi connection has been disconnected, please connect to Wi-Fi first.' 465 | tip_printer_work_in_cloud: 'The printer works in cloud mode.' 466 | tip_printer_work_in_local: 'The printer works on the LAN mode.' 467 | tip_ftp_ip_invalid: | 468 | Please ensure that the printer is on the same LAN as the Panda Touch. 469 | Please check and re-edit the "IP" or "Access code". 470 | tip_ftp_not_find: 'File not found.' 471 | tip_group_printer_cloud_mode: 'Printer %d: %s is working in cloud mode.' 472 | tip_group_printer_local_mode: 'Printer %d: %s is working in LAN mode.' 473 | tip_group_work_in_cloud: 'The printer group works in cloud mode.' 474 | tip_group_work_in_local: 'The printer group works in LAN mode.' 475 | #CLOUD END 476 | 477 | #NEW ADD 478 | tip_printer_group_max: 'Panda Touch currently only supports %d printer group.' 479 | tip_one_master_at_least: 'You should keep one master printer in an group at least.' 480 | tip_one_select_at_least: | 481 | Please keep one master printer in an group. 482 | if you want to remove the group, you can press back button and remove it by delete button. 483 | tip_remove_group_confirm: 'Please confirm that you want to remove this printer group from the Panda Touch.' 484 | tip_group_same_name: 'There''s a same group exist,please rename it.' 485 | tip_printer_in_group: 'Printer has been selected in group,please remove the it in group.' 486 | tip_reprint_group_printer: 'This will only reprint the file on this printer. If you want to start printing on all printers in the group, please wait for all printers to complete and use the normal process to start printing.' 487 | tip_reprint_printer: 'Do you want to reprint the file on this printer?' 488 | tip_waiting_print_finished: 'Please stop the current printing task before starting a new one.' 489 | tip_group_connected: 'Printer group has successfully connected.' 490 | tip_group_printer_disconnected: 'The printer %d:%s has been disconnected.' 491 | tip_group_printer_connecting: 'The printer %d:%s is connecting.' 492 | tip_group_printer_printing: 'The printer %d:%s is printing.' 493 | tip_group_printer_temp_too_high: 'The printer %d:%s %d ℃.' 494 | tip_group_printer_file_config: 'Do you want to print the %s file? Please select the printing function you need to enable.' 495 | tip_group_power_off: 'Do you want to power-off the printers in this group?' 496 | tip_group_reset_power_usage: 'Do you want to clear the power usage of PWR printers bound within the group?' 497 | tip_group_power_off_not_online: 'A printer in the group has been disconnected. Please confirm if you want to continue turning off the power?' 498 | tip_group_printing_not_idle: 'There are some printers is printing in this group. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 499 | tip_group_temp_too_high_confirm: 'There are some printers in the group with a hot end temperature exceeding 50 degrees. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 500 | t_is_printing: 'Printing' 501 | t_is_idle: 'Idle' 502 | tip_enter_group_name: 'Please enter a group name:' 503 | tip_move_confirm: 'The printer/printer group is currently printing and cannot be moved.' 504 | tip_always_sleep: 'This operation will cause damage to the screen. Do you want to continue?' 505 | tip_bind_power: | 506 | Please press and hold the Panda PWR button until the blue light starts flashing, 507 | then place the Panda Touch against the Panda PWR casing to connect. 508 | tip_remove_keep_one: 'Please keep at least one printer.' 509 | tip_remove_printer_with_power: 'This printer is bound to Panda PWR. Do you want to continue deleting it?' 510 | tip_about_power: | 511 | Panda PWR 512 | Automatic shutdown,real-time power monitoring,power tracking,dual USB-A interface design,please scan the QR code for more information. 513 | tip_power_off_not_online_confirm: 'The printer has been disconnected, please confirm if you want to turn off the printer power?' 514 | tip_power_off_temp_too_high_confirm: 'The hotend temperature is>50C. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 515 | tip_power_off_confirm: 'Please confirm if you want to turn off the printer power?' 516 | tip_auto_power_off_confirm: 'Your printer will turn off once the print is complete and the hotend cools below 50C.' 517 | t_auto_power_off: 'Auto Power-off:' 518 | t_min: 'Min' 519 | t_countdown: 'Count down:' 520 | t_power: 'Power' 521 | tip_know_power: 'What is the Panda PWR' 522 | tip_add_power: 'Add Panda PWR' 523 | t_voltage: 'Voltage:' 524 | t_current: 'Current:' 525 | t_power_2: 'Power:' 526 | t_power_usage: 'Energy Usage:' 527 | t_printer: 'Printer-Leader:' 528 | t_power_wifi: 'Wifi SSID:' 529 | t_power_usb_follow: 'USB 1 Follow Printer Light:' 530 | t_usb_config_off: 'Off' 531 | t_usb_config_on: 'On' 532 | t_must_high: 'The input value must be greater than %ld' 533 | t_must_less: 'The input value must be less than %ld' 534 | t_power_printer_no: 'No.' 535 | tip_confirm_bind_power: 'Do you accept binding from Panda PWR?' 536 | tip_confirm_unbind_power: 'Do you want to unbind from Panda PWR?' 537 | t_reset_power_usage: | 538 | RST 539 | Usage 540 | t_reset_power_usage_print: 'RST Usage' 541 | tip_confirm_reset_power_usage: 'Do you want to reset the power usage?' 542 | t_auto_off: 'Auto Off' 543 | t_power_off_all: 'Do you want to close the PRINTERS bound to PWR in the group?' 544 | t_pwr_has_been_bind: 'This PWR has been bound by Printer %s ,Please unbind it before proceeding.' 545 | tip_pwr_max: 'Panda Touch currently supports connecting up to %d Panda PWR.' 546 | t_power_off_after_printing: 'Auto Power-off' 547 | tip_change_reboot: 'For a better speed experience, requires a reboot to take effect, continue?' 548 | t_multi_print_heat_delay: 'Multi printing heat delay' 549 | t_file_t_history: 'Print history' 550 | t_history_cost_time: 'Cost time' 551 | t_history_weight: 'Weight' 552 | t_history_only_cloud: 'Only support for Cloud mode' 553 | t_history_not_find: 'Not find' 554 | t_default_directory: 'Printer-Default-Directory' 555 | t_reboot_take_effect: 'Need reboot to take effect,Do you want to continue?' 556 | t_send_code: 'Send Code' 557 | tip_send_code: 'Input the code' 558 | tip_error_code_length: 'The length of code should be 6' 559 | tip_error_code: 'Code does not exist or has expired; please request a new verification code.' 560 | tip_error_send_code: 'Send code failed please check the internet.' 561 | tip_loading_thumbnail: 'Loading data from printer. Please wait a second.' 562 | t_sd_enhanced_load_thumbnails: 'Enhanced thumbnail display' 563 | tip_enhanced_load_effect: 'start printing from USB stick or click sd-card panel will cause a long delay and it will takes effect after reboot, continue?' 564 | tip_not_higher: 'Not higher than %d.' 565 | tip_dry_step1: '#%x Step1:# Remove anything that may be under or above the hotbed to avoid collisions with the hotbed, and remove filament from the tool head to avoid risk of clogging.' 566 | tip_dry_step2: '#%x Step2:# Click the "Prepare" button to move the tool head and hot bed to the preset position.' 567 | tip_dry_step3: '#%x Step3:# Place the filament on the hot bed as shown in the figure. (Closing the lid ensures better drying effect, the lid can be printed by PC or boxed).' 568 | tip_dry_step4: '#%x Step4:# Select the filament type, set the hot bed temperature and drying time, and click the "Start" button. (Flip the filament halfway through drying ensures better drying effect.)' 569 | tip_dry_completed: 'Drying completed.' 570 | tip_dry_not_support: 'Not support for A1, A1-mini.' 571 | tip_dry_printer_printing: 'The printer is printing.' 572 | tip_skip_obj_selected: '#ff0000 %d# objects is selected' 573 | tip_dry_ing: 'Drying' 574 | tip_dry_prepare_ok: 'Ready, please check if the printer tool head has returned to the preset position before clicking start.' 575 | #NEW ADD END -------------------------------------------------------------------------------- /Translation/en-US/en-US.yml: -------------------------------------------------------------------------------- 1 | en-US: 2 | #SETTING PAGE 3 | lang_name_t: 'English' 4 | 5 | min_time_t_1: '1min' 6 | min_time_t_2: '2min' 7 | min_time_t_3: '3min' 8 | min_time_t_5: '5min' 9 | min_time_t_10: '10min' 10 | min_time_t_15: '15min' 11 | min_time_t_60: '60min' 12 | sleep_time_t_always: 'Always On' 13 | setting_gen_t: 'General' 14 | setting_net_t: 'Network' 15 | setting_gen_t_dev: 'Device:' 16 | setting_gen_t_man: 'Manufacturer:' 17 | setting_gen_t_lang: 'Language:' 18 | setting_gen_t_fw: 'Firmware:' 19 | setting_gen_t_slp: 'AutoSleep:' 20 | setting_gen_t_backlight: 'Backlight brightness:' 21 | setting_gen_t_reb: 'Restart' 22 | setting_gen_t_rst: 'Restore Factory Settings' 23 | #SETTING PAGE END 24 | 25 | #BUTTONS 26 | btn_cancel: 'Cancel' 27 | btn_ok: 'OK' 28 | btn_restart: 'Restart' 29 | btn_refresh: 'Refresh' 30 | btn_confirm: 'Confirm' 31 | btn_next: 'Next' 32 | btn_back: 'Back' 33 | btn_del: 'Delete' 34 | btn_scan: 'Scan' 35 | btn_factory: 'Factory Reset' 36 | btn_close: 'Close' 37 | btn_ignore_all: 'Ignore All' 38 | btn_load: 'Load' 39 | btn_unload: 'Unload' 40 | btn_retry: 'Retry' 41 | btn_abort: 'Abort' 42 | btn_print: 'Print' 43 | btn_remove: 'Remove' 44 | btn_stop: 'Stop' 45 | btn_pause: 'Pause' 46 | btn_resume: 'Resume' 47 | btn_filament: 'Filament' 48 | btn_done: 'Done' 49 | btn_stop_all: 'Stop All' 50 | btn_format: 'Format' 51 | btn_disconnect: 'Disconnect' 52 | btn_edit: 'Edit' 53 | btn_yes: 'Yes' 54 | btn_no: 'No' 55 | btn_reset: 'Reset' 56 | btn_add_printer: 'Add Printer' 57 | btn_add_group: 'Add Group' 58 | btn_goto_printers: 'Go to multi-device page' 59 | btn_goto_wifi: 'Go to Wi-Fi network' 60 | btn_ignore: 'Ignore' 61 | btn_goto_login: 'Go to Login page' 62 | btn_dry: 'Drying' 63 | btn_dry_prepare: 'Prepare' 64 | btn_dry_start: 'Start dry' 65 | btn_skip_obj: 'Skip' 66 | #BUTTONS END 67 | 68 | set_net_wifi_scaned: 'Scanned WiFi' 69 | welcome_tip: 'Please connect to the internet by selecting the WiFi network on the right and then entering the password. Hit refresh if you don''t see the desired network. Hit next once you have connected to the desired network.' 70 | tip_scan_qrcode: 'Please use your phone to scan the QR code to access the online manual.' 71 | loading: 'Loading...' 72 | top_wifi_connect: 'Connecting to WiFi %s' 73 | top_wifi_connect_fail: 'Failed to connect to WiFi: %s' 74 | top_wifi_disconnected: 'Disconnected from WiFi: %s' 75 | top_print_connecting: 'Connecting to Printer %d: %s' 76 | top_print_connected: 'Successfully connected to Printer %d: %s' 77 | top_print_connect_fail: 'Failed to connect to Printer %d: %s' 78 | #PRINT 79 | panda_touch: 'Panda Touch' 80 | printer_model: 'Model:' 81 | printer_name: 'Name:' 82 | scan_print_t_acescd: 'Access Code:' 83 | scan_print_t_ip: 'Printer IP:' 84 | filament_t_color: 'Filament color:' 85 | filament_t_matrl: 'Filament material:' 86 | nozzle_t_diameter: 'Nozzle diameter:' 87 | nozzle_t_matrl: 'Nozzle material:' 88 | wifi_c_wait_cancel: 'Waiting for cancellation...' 89 | print_bed_leveling: 'Bed Leveling' 90 | print_flow_calibration: 'Flow Calibration' 91 | print_timelapse: 'Timelapse' 92 | prints_in_sync: 'Printers in sync: %d' 93 | start_print_confirm: | 94 | Before starting the print, please take note of the following: 95 | 1. Ensure that the file was sliced for the selected printer(s). 96 | 2. Ensure the filament settings in the sliced file match the filament loaded into the AMS slots. 97 | print_using_ams: 'Use AMS' 98 | print_ams: 'Spool holder' 99 | print_canceled: 'Cancelled' 100 | print_finished: 'Finished' 101 | print_reprint: 'Reprint' 102 | bed_preheating: 'Heatbed preheating' 103 | nozzle_clean: 'Cleaning nozzle tip' 104 | bed_auto_leveing: 'Auto bed leveling' 105 | print_preparing: 'Preparing to print' 106 | print_t: 'Printer' 107 | print_not_find: 'No printers found, check your network and scan again' 108 | filament_unknown: 'Filament type is unknown, but it is required to perform this action. Do you want to edit the filament''s information?' 109 | printer_add_repeat: 'This printer has already been added to the Panda Touch and cannot be added again.' 110 | printer_has_add: 'Already added' 111 | printer_busy: |2 112 | 113 | 114 | Busy Printing 115 | nozzle_temperature: 'Nozzle Temperature' 116 | bambu_info_readonly: 'Infomation about Bambu Filament is stored in RFID and is read-only.' 117 | setting_slot_not_sup: 'Setting slot information while printing is not supported.' 118 | filament_minimum: 'Minimum' 119 | filament_maximum: 'Maximum' 120 | filament_unknown_type: 'Unknown' 121 | #PRINT 122 | #TIPS 123 | tip_input_optional: '(Optional)' 124 | tip_input_name: '(Required)Input your printer name' 125 | tip_input_ip: '(Required)Input your printer IP' 126 | tip_input_acescd: '(Required)Input your access code' 127 | tip_input_sn: '(Required)Input your SN' 128 | pop_tip_add_dev: 'Please confirm that you want to add this printer connection to the Panda Touch' 129 | pop_tip_restart: 'Please confirm that you want to restart the Panda Touch.' 130 | pop_tip_input_password: 'Input password' 131 | pop_tip_factory: 'Please confirm that you want to restore the factory settings. The Panda Touch will forget the WiFi settings and all added printers. A restart will be performed once done.' 132 | new_tip_get_info: 'How to get IP, Access Code, and SN Code.' 133 | pop_tip_print_abort: 'Please confirm whether to abort the current and subsequent upload and print tasks.' 134 | tip_not_insert_sdcard: 'MicroSD Card not inserted into printer.' 135 | tip_not_insert_usb_flash: 'USB Flash Drive not inserted.' 136 | tip_not_select_print: 'No printer selected, please select at least one printer to start printing.' 137 | tip_remove_refuse: 'Only "Disconnected" printers can be deleted. Please set this printer to "Disconnected" before deleting it.' 138 | tip_remove_confirm: 'Please confirm that you want to remove this printer from the Panda Touch.' 139 | tip_master_must: 'There must be at least one printer set as the "Master".' 140 | tip_mainly_query: 'Only one printer can be set as the "Master". Do you want to set this printer as the "Master" and set the old "Master" printer to "Sync"?' 141 | tip_printer_max: 'Panda Touch currently only supports connecting up to "%d" printers. You can use a second Panda Touch unit to control additional printers.' 142 | tip_pause_all: 'Are you sure that you want to pause all ongoing prints?' 143 | tip_stop_all: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop all ongoing prints?' 144 | tip_faild_upload: | 145 | Failed to upload file, please check the following: 146 | 1. Is the printer properly plugged in with an SD card and does the SD card have sufficient capacity. 147 | 2. Ensure the USB drive is well secured into the Panda Touch. 148 | 3. Move to a location with better WiFi signal. 149 | 4. When in cloud mode, please check and re-edit the "IP" or "Access Code". 150 | tip_wifi_disconnected: 'The WiFi connection was lost. Please ensure that you are in an area with sufficient signal strength.' 151 | tip_wifi_error: 'Failed to connect to current WiFi, Please check signal strength & password entered and then reconnect.' 152 | tip_unload_has_filament: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler.' 153 | tip_unload_has_filament_l: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler and click the "Retry" button.' 154 | tip_load_no_filament: 'Please feed from the spool holder until the tool head filament sensor is triggered.' 155 | tip_load_no_filament_l: 'Please feed from the spool holder until the tool head filament sensor is triggered and click the "Retry" button.' 156 | tip_load_filament: 'Please observe the nozzle. If the filament has been extruded, click "Done"; if it is not, please push the filament forward slightly and then click "Retry".' 157 | tip_heatbreak_fan: 'The heatbreak fan speed is abnormal.' 158 | tip_parsing_gcode: 'There was a problem parsing gcode.3mf. Please resend the printing job.' 159 | tip_nozzle_temp_malf: 'Nozzle temperature malfunction.' 160 | tip_front_cover: 'Printing was paused because the front cover of the tool head fell off. Please mount it back and click the resume icon to resume the print job.' 161 | tip_filament_runout: 'The filament ran out. Please load new filament in "Filament" and tap "Resume" to resume the print job.' 162 | tip_pause_print: 'Are you sure that you want to pause the ongoing print?' 163 | tip_stop_print: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop the ongoing print?' 164 | tip_ams_runout: 'AMS filament has ran out. Please insert a new filament into the AMS and click the "Retry" button.' 165 | tip_ams_overload: 'AMS assist motor is overloaded. Please check if the spool or filament is stuck. After troubleshooting, click the "Retry" button.' 166 | tip_failed_feed: 'Failed to feed the filament into the toolhead. Please check whether the filament or the spool is stuck. After troubleshooting, click the "Retry" button.' 167 | tip_failed_pull: 'Failed to pull out the filament from the extruder. Please check whether the extruder is clogged or whether the filament is broken inside the extruder. After troubleshooting, click the "Retry" button.' 168 | tip_failed_extrude: 'Failed to extrude the filament. Please check if the extruder is clogged. After troubleshooting, click the "Retry" button.' 169 | tip_failed_feed_outside: 'Failed to feed the filament outside the AMS. Please clip the end of the filament flat and check to see if the spool is stuck. After troubleshooting, click the "Retry" button.' 170 | tip_select_model: 'Please select the model of the printer' 171 | tip_ams_busy: 'Cannot read filament info; the AMS is busy. Please try again later.' 172 | tip_ams_reading: 'The AMS is busy reading filament info; please try again later.' 173 | tip_ams_tray_empty: 'This tray is empty. Please try again after inserting filament.' 174 | tip_firmware: 'Please scan the code to view firmware release history and instructions on how to update the firmware.' 175 | #TIPS END 176 | #NOTIFY 177 | notify_center_t: 'Notification Center' 178 | notify_cnt_t: 'number of notifications:' 179 | notify_remind: 'Please scan the code to view possible solutions, or click the "Goto Printer" button to Set this printer as the "Master" printer' 180 | notify_remind_go_print: 'Goto Printer' 181 | notify_unknow_state: 'Panda Touch unknown status code.' 182 | 00x0300100000020001: 'The resonance frequency of the %s axis is low. The timing belt may be loose.' 183 | 00x0300100000020002: 'The 1st order mechanical resonance mode of %s axis differ much from last calibration, please re-run the machine calibration later.' 184 | 00x03000F0000010001: 'The accelerometer data is unavailable.' 185 | 00x03000D000001000B: 'The Z axis motor seems got stuck when moving up.' 186 | 00x03000D0000010003: 'The build plate is not placed properly. Please adjust it.' 187 | 00x03000D0000010004: 'The build plate is not placed properly. Please adjust it.' 188 | 00x03000D0000010005: 'The build plate is not placed properly. Please adjust it.' 189 | 00x03000D0000010006: 'The build plate is not placed properly. Please adjust it.' 190 | 00x03000D0000010007: 'The build plate is not placed properly. Please adjust it.' 191 | 00x03000D0000010008: 'The build plate is not placed properly. Please adjust it.' 192 | 00x03000D0000010009: 'The build plate is not placed properly. Please adjust it.' 193 | 00x03000D000001000A: 'The build plate is not placed properly. Please adjust it.' 194 | 00x03000D0000020001: 'Heatbed homing abnormal.' 195 | 00x03000A0000010005: 'Force sensor %s detected unexpected continuous force. The heatbed may be stuck, or the analog front end may be broken.' 196 | 00x03000A0000010004: 'External disturbance was detected when testing the force sensor %s sensitivity. The heatbed plate may have touched something outside the heatbed.' 197 | 00x03000A0000010003: 'The sensititvity of heatbed force sensor %s is too low.' 198 | 00x03000A0000010002: 'The sensititvity of heatbed force sensor %s is low.' 199 | 00x03000A0000010001: 'The sensititvity of heatbed force sensor %s is too high.' 200 | 00x0300040000020001: 'The speed of part cooling fan if too slow or stopped.' 201 | 00x0300030000020002: 'The speed of hotend fan is slow.' 202 | 00x0300030000010001: 'The speed of the hotend fan is too slow or stopped.' 203 | 00x0300060000010001: 'Motor-%s has an open-circuit. There may be a loose connection, or the motor may have failed.' 204 | 00x0300060000010002: 'Motor-%s has a short-circuit. It may have failed.' 205 | 00x0300060000010003: 'The resistance of Motor-%s is abnormal, the motor may have failed.' 206 | 00x0300010000010007: 'The heatbed temperature is abnormal; the sensor may have an open circuit.' 207 | 00x0300130000010001: 'The current sensor of Motor-%s is abnormal. This may be caused by a failure of the hardware sampling circuit.' 208 | 00x0300180000010005: 'The Z axis motor seems got stuck during movement, please check if there is any foreign matter on the Z sliders or Z timing belt wheels.' 209 | 00x0300190000010001: 'The eddy current sensor on Y-axis is not available, the wire should be broken.' 210 | 00x0300190000020002: 'The sensitivity of Y-axis eddy current sensor is too low.' 211 | 00x0300400000020001: 'Data transmission over the serial port is abnormal; the software system may be faulty.' 212 | 00x0300410000010001: 'The system voltage is unstable; triggering the power failure protection function.' 213 | 00x0300020000010001: 'The nozzle temperature is abnormal, the heater may be short circuit.' 214 | 00x0300020000010002: 'The nozzle temperature is abnormal, the heater may be open circuit.' 215 | 00x0300020000010003: 'The nozzle temperature is abnormal, the heater is over temperature.' 216 | 00x0300020000010006: 'The nozzle temperature is abnormal, the sensor may be short circuit.' 217 | 00x0300020000010007: 'The nozzle temperature is abnormal, the sensor may be open circuit.' 218 | 00x0300120000020001: 'The front cover of the toolhead fell off.' 219 | 00x0300180000010001: 'The value of extrusion force sensor is low, the nozzle seems to not be installed.' 220 | 00x0300180000010002: 'The sensitivity of the extrusion force sensor is low, the hotend may not installed correctly.' 221 | 00x0300180000010003: 'The extrusion force sensor is not available, the link between the MC and TH may be broken or the sensor is broken.' 222 | 223 | 00x0300180000010004: 'The data from extrusion force sensor is abnormal, the sensor should be broken.' 224 | 00x03001A0000020001: 'The nozzle is wrapped in the filament or the build plate is placed incorrectly.' 225 | 00x03001A0000020002: 'The extrusion force sensor detects that the nozzle is clogged.' 226 | 00x0C00010000010001: 'Micro Lidar camera is offline.' 227 | 00x0C00010000020002: 'Micro Lidar camera is malfunctioning.' 228 | 00x0C00010000010003: 'Micro Lidar Synchronization abnormal.' 229 | 00x0C00010000010004: 'Micro Lidar Lens dirty.' 230 | 00x0C00010000010005: 'Micro Lidar OTP parameter abnormal.' 231 | 00x0C00010000020006: 'Micro Lidar extrinsic parameter abnormal.' 232 | 00x0C00010000020007: 'Micro Lidar laser parameter drifted.' 233 | 234 | 00x0C00010000020008: 'Chamber camera offline.' 235 | 00x0C00010000010009: 'Chamber camera dirty.' 236 | 00x0C0001000001000A: 'The Micro Lidar LED may be broken.' 237 | 00x0C0001000002000B: 'Failed to calibrate Micro Lidar.' 238 | 00x0C00020000010001: 'Laser not lit.' 239 | 00x0C00020000020002: 'Laser too thick.' 240 | 00x0C00020000020003: 'Laser not bright enough.' 241 | 00x0C00020000020004: 'Nozzle height seems too low.' 242 | 00x0C00020000010005: 'A new micro lidar is detected.' 243 | 00x0C00020000020006: 'Nozzle height seems too high.' 244 | 245 | 00x0C00030000020001: 'Filament exposure metering failed.' 246 | 00x0C00030000020002: 'First layer inspection terminated due to abnormal lidar data.' 247 | 00x0C00030000020004: 'First layer inspection not supported for current print job.' 248 | 00x0C00030000020005: 'First layer inspection timeout.' 249 | 00x0C00030000030006: 'Purged filaments piled up.' 250 | 00x0C00030000030007: 'Possible first layer defects.' 251 | 00x0C00030000030008: 'Possible spaghetti defects.' 252 | 00x0C00030000010009: 'First layer inspection module rebooted.' 253 | 00x0C0003000003000B: 'Inspecting first layer.' 254 | 00x0C0003000002000C: 'Build plate marker not detected.' 255 | 256 | 00x0500010000020001: 'The media pipeline is malfunctioning.' 257 | 00x0500010000020002: 'USB camera is not connected.' 258 | 00x0500010000020003: 'USB camera is malfunctioning.' 259 | 00x0500010000030004: 'Not enough space in SD Card.' 260 | 00x0500010000030005: 'Error in SD Card.' 261 | 00x0500010000030006: 'Unformatted SD Card.' 262 | 00x0500020000020001: 'Failed to connect internet, please check the network connection.' 263 | 00x0500020000020005: 'Failed to connect internet, please check the network connection.' 264 | 00x0500020000020002: 'Failed to login device.' 265 | 00x0500020000020004: 'Unauthorized user.' 266 | 00x0500020000020006: 'Liveview service is malfunctioning.' 267 | 268 | 00x0500030000010001: 'The MC module is malfunctioning. Please restart the device.' 269 | 00x0500030000010002: 'The toolhead is malfunctioning. Please restart the device.' 270 | 00x0500030000010003: 'The AMS module is malfunctioning. Please restart the device.' 271 | 00x050003000001000A: 'System state is abnormal. Please restore factory settings.' 272 | 00x050003000001000B: 'The screen is malfunctioning.' 273 | 00x050003000002000C: 'Wireless hardware error: please turn off/on WiFi or restart the device.' 274 | 00x0500040000010001: 'Failed to download print job. Please check your network connection.' 275 | 00x0500040000010002: 'Failed to report print state. Please check your network connection.' 276 | 00x0500040000010003: 'The content of print file is unreadable. Please resend the print job.' 277 | 00x0500040000010004: 'The print file is unauthorized.' 278 | 00x0500040000010006: 'Failed to resume previous print.' 279 | 00x0500040000020007: 'The bed temperature exceeds the filament''s vitrification temperature, which may cause a nozzle clog..' 280 | 00x0700010000010001: 'The AMS%s assist motor has slipped.The extrusion wheel may be worn down,or the filament may be too thin.' 281 | 00x0700010000010003: 'The AMS%s assist motor torque control is malfunctioning.The current sensor may be faulty.' 282 | 00x0700010000010004: 'The AMS%s assist motor speed control is malfunctioning.The speed sensor may be faulty.' 283 | 00x0700010000020002: 'The AMS%s assist motor is overloaded,The filament may be tangled or stuck.' 284 | 00x0700020000010001: 'AMS%s filament speed and length error.The filament odometry may be faulty.' 285 | 00x0700100000010001: 'The AMS%s slot%s motor has slipped.The extrusion wheel may be malfunctioning,or the filament may be too thin.' 286 | 00x0700100000010003: 'The AMS%s slot%s motor torque control is malfunctioning.The current sensor may be faulty.' 287 | 00x0700100000020002: 'The AMS%s slot%s motor is overloaded.The filament may be tangled or stuck.' 288 | 00x0700200000020001: 'AMS%s Slot%s filament has run out.' 289 | 290 | 00x1200200000020001: 'AMS%s Slot%s filament has run out.' 291 | 00x0700200000020002: 'The AMS%s slot%s is empty.' 292 | 00x0700200000020003: 'The AMS%s slot%s''s filament may be broken in AMS.' 293 | 00x0700200000020004: 'The AMS%s slot%s''s filament may be broken in the tool head.' 294 | 00x0700200000020005: 'AMS%s Slot%s filament has run out, and purging the old filament went abnormally; please check whether the filament is stuck in the tool head.' 295 | 00x0700200000030001: 'AMS%s Slot%s filament has run out. Please wait while old filament is purged.' 296 | 00x0700200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 297 | 00x0700400000020001: 'The filament buffer signal lost,the cable or position sensor may be malfunctioning.' 298 | 00x0700400000020002: 'The filament buffer position signal error,the position sensor may be malfunctioning.' 299 | 00x0700400000020003: 'The AMS Hub communication is abnormal,the cable may be not well connected.' 300 | 00x0700400000020004: 'The filament buffer signal is abnormal,the spring may be stuck or the filament may be tangle.' 301 | 302 | 00x0700450000020001: 'The filament cutter sensor is malfunctioning.The sensor may be disconected or damaged.' 303 | 00x0700450000020002: 'The filament cutter''s cutting distance is too large.The XY motor may lose steps..' 304 | 00x0700450000020003: 'The filament cutter handle has not released.The handle or blade ay be stuck.' 305 | 00x0700510000030001: 'The AMS is disabled; please load filament from spool holder.' 306 | 00x0700500000020001: 'The AMS%s communication is abnormal,please check the connection cable.' 307 | 00x0700600000020001: 'The AMS%s slot%s is overloaded. The filament may be tangled or the spool may be stuck.' 308 | 00x1200100000020002: 'The AMS%s Slot%s motor is overloaded. The filament may be tangled or stuck.' 309 | 00x1200800000020001: 'AMS%s Slot%s filament may be tangled or stuck.' 310 | 00x07FF200000020001: 'External filament has run out; please load a new filament.' 311 | 00x07FF200000020002: 'External filament is missing; please load a new filament.' 312 | 00x07FF200000020004: 'Please pull out the filament on the spool holder from the extruder.' 313 | 314 | 00x12FF200000020007: 'Failed to check the filament location in the tool head, please click for more help.' 315 | 00x1200200000020006: 'Failed to extrude AMS%s Slot%s filament, the extruder may be clogged, or the filament may be too thin, causing the extruder slipping.' 316 | 00x1200200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 317 | #NOTIFY END 318 | 319 | #CONTROL 320 | ctl_top_t_temp_axis: 'Temperature/Axis' 321 | ctl_top_t_filament: 'Filament' 322 | ctl_t_part: 'Part' 323 | ctl_t_aux: 'Aux' 324 | ctl_t_chamber: 'Chamber' 325 | sw_t_on: 'ON' 326 | sw_t_off: 'OFF' 327 | ctl_t_speed: 'Printing speed' 328 | ctl_t_speed_silent: 'Silent' 329 | ctl_t_speed_standard: 'Standard' 330 | ctl_t_speed_sport: 'Sport' 331 | ctl_t_speed_ludicrous: 'Ludicrous' 332 | ctl_t_extruder: 'Extruder' 333 | ctl_t_temp_high: 'Not higher than %ld℃' 334 | ctl_t_filament_t_tip: 'Tips' 335 | ctl_t_filament_tip: 'Before loading, please make sure your filament is pushed into the toolhead.' 336 | ctl_t_to_load: 'To load' 337 | ctl_t_to_unload: 'To unload' 338 | ctl_t_heat_nozzle_temp: 'Heat the nozzle' 339 | ctl_t_push_new_filament: 'Push new filament into the extruder' 340 | ctl_t_grab_new_filament: 'Grab new filament' 341 | ctl_t_purge_old_filament: 'Purge old filament' 342 | ctl_t_cut_filament: 'Cut filament' 343 | ctl_t_back_filament: 'Pull back current filament' 344 | content_empty: 'Empty' 345 | tpu_not_supported: '"%s %s" is not supported by the AMS.' 346 | cf_gf_warning: '"%s %s" filaments are hard and brittle. They easily break or get stuck in the AMS; please use with caution.' 347 | pva_warning: 'Damp "%s %s" will become flexible and get stuck inside AMS; please take care to dry ot before use.' 348 | 349 | #CONTROL END 350 | 351 | #MQTT 352 | ctl_t_mqtt_ctl_mode: 'Control Mode' 353 | ctl_t_mqtt_statu_master: 'Leader' 354 | ctl_t_mqtt_statu_slave: 'Follower' 355 | ctl_t_mqtt_status_sync: 'Sync' 356 | ctl_t_mqtt_disconected: 'Disconnected' 357 | printer_connecting: 'Printer is currently connecting.' 358 | printer_disconnected: 'Printer is disconnected.' 359 | printer_connected: 'Printer has successfully connected.' 360 | mqtt_login_failed: | 361 | Cannot connect to printer! 362 | It may be that the "Access Code" is wrong. Click "Edit" to check and re-edit the "Access Code". 363 | To troubleshoot connection problems please scan the QR code. 364 | mqtt_never_connected: | 365 | Cannot connect to printer! 366 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 367 | To troubleshoot connection problems please scan the QR code. 368 | mqtt_master_changed: | 369 | Cannot connect to printer! 370 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 371 | Since this is the "Master", another printer in the group will be temporarily assigned as the "Master". 372 | If you have powered the printer off then ignore this message. 373 | To troubleshoot connection problems please scan the QR code. 374 | mqtt_master_error: | 375 | Cannot connect to printer! 376 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 377 | Since this is the "Master" and there are no other connected printers available in the group, you will not be able to use the Panda Touch until this is resolved. 378 | To troubleshoot connection problems please scan the QR code. 379 | mqtt_slave: | 380 | Cannot connect to printer! 381 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 382 | This printer is not the "Master" so it will not be accessible or able to follow the "Master" if it is in a group. 383 | If you have powered the printer off then ignore this message. 384 | To troubleshoot connection problems please scan the QR code. 385 | mqtt_not_online: | 386 | Cannot connect to printer! 387 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch. 388 | To troubleshoot connection problems please scan the QR code. 389 | #MQTT END 390 | 391 | #FILE 392 | file_t_usb_flash_driver: 'USB Flash Drive' 393 | file_t_name: 'Name' 394 | file_t_date: 'Date' 395 | file_t_size: 'Size' 396 | file_s_transmitting: 'Transmitting' 397 | file_s_printers_in_sync: 'Printers in sync:%d/%d' 398 | file_s_failed: 'Failed' 399 | file_s_printing: 'Printing' 400 | file_s_waiting: 'Waiting' 401 | #FILE END 402 | 403 | #GUID 404 | guid_t_start: 'Start' 405 | guid_c_start: 'Activate the Bambu lab original screen.' 406 | guid_t_get_ip_access: 'Get IP and Access Code' 407 | guid_c_get_ip_access_wlan: 'Select WLAN using D-pad, press OK to enter.' 408 | guid_c_get_ip_access_enter: 'Enter the IP and Access codes into the corresponding Panda Touch input boxes.' 409 | guid_t_get_sn: 'Get SN Code' 410 | guid_c_get_sn_return: 'Press return to settings.' 411 | guid_c_get_sn_enter: 'Select device using D-pad, press OK to enter.' 412 | guid_c_get_sn_enter_code: 'This is the SN code, please enter it in the corresponding input box on Panda Touch.' 413 | guid_t_completed: | 414 | ; ) 415 | Congratulations! You have completed the Panda Touch tutorial. Try out the features. 416 | guid_c_completed: 'Click blank area of the screen to return to connection interface. Can add printer info to track status.' 417 | sn: 'SN:' 418 | guid_unable_find: 'Unable to find your printer settings?' 419 | guide_select_lang: 'Please select your Panda Touch language' 420 | guide_ota_not_finished: 'OTA is not finished yet' 421 | guide_ota_remind: | 422 | Please use a computer on the same WiFi network, which can be a computer or mobile device running an operating system such as iOS or Android. This is referred to as the "computer" below. 423 | • Enter the Panda Touch's IP address in the computer's browser to access the web UI, and then click "Update File" button. 424 | • Click the "Choose File" button, then select the downloaded .img file. 425 | • The Panda Touch will automatically start updating. 426 | guid_ota_connect_wifi: 'Please connect to the Internet by selecting the WiFi network on the right and entering the password. If the network you want to connect to does''n''t appear, click the Refresh button.' 427 | #GUID END 428 | 429 | #CLOUD START 430 | tip_about_region: 'Please select the region before you Login, the region should be the same as your account region.' 431 | tip_del_account: 'Do you need to delete the account? PandaTouch will convert the printer bound to this account to local mode.' 432 | tip_input_phone: 'Please input your phone number' 433 | tip_input_email: 'Please input your email address' 434 | t_region: 'Region:' 435 | t_account: 'Account:' 436 | t_password: 'Code:' 437 | t_region_china: 'CHINA' 438 | t_region_global: 'GLOBAL' 439 | tip_phone_incorrect: 'Input the valid phone number' 440 | tip_email_incorrect: 'Input the valid email' 441 | tip_account_not_reg: 'Login failed, this account is not registered.' 442 | tip_password_incorrect: 'Login failed, please check the password.' 443 | tip_network_error: 'Login failed, please check the network.' 444 | tip_login_ok: | 445 | Cloud login successful! 446 | 447 | Would you like to convert all existing printers to cloud mode? Only select yes if you are not using any printers in “LAN mode”. If you are using printers in “LAN mode” then rather add each printer manually to the cloud by editing the mode settings. 448 | tip_account_sync_ok: 'Printers were successfully converted to cloud mode. You can see the current mode status of each printer in the multi-device page.' 449 | tip_account_sync_error: 'Some printers could not be converted to cloud mode. Please check your WiFi and cloud mode settings and try again.' 450 | tip_account_sync_zero: 'There are no cloud printers in the current account. Please add a printer to this account and then login again.' 451 | tip_printer_without_cloud: 'This printer has not been bound to this account yet. Please use BambuLab Studio or Handy to add the printer before enable the cloud.' 452 | tip_printer_login_account: 'Please log in to an account first.' 453 | tip_account_error: 'Your account is experiencing issues. Please check if there have been any changes to your account name. Also, verify that your account region matches your current location.' 454 | tip_account_network_error: 'Your network connection is experiencing issues. Please check if the network password has been changed and try reconnecting to restore the printer''s cloud connection.' 455 | t_login_bambu: 'Login BambuLab Account' 456 | tip_convert_to_cloud: 'Converting printers to cloud mode. Please wait.' 457 | t_enable_could: 'Enable cloud' 458 | tip_wifi_not_connected: 'The Wi-Fi connection has been disconnected, please connect to Wi-Fi first.' 459 | tip_printer_work_in_cloud: 'The printer works in cloud mode.' 460 | tip_printer_work_in_local: 'The printer works on the LAN mode.' 461 | tip_ftp_ip_invalid: | 462 | Please ensure that the printer is on the same LAN as the Panda Touch. 463 | Please check and re-edit the "IP" or "Access code". 464 | tip_ftp_not_find: 'File not found.' 465 | tip_group_printer_cloud_mode: 'Printer %d: %s is working in cloud mode.' 466 | tip_group_printer_local_mode: 'Printer %d: %s is working in LAN mode.' 467 | tip_group_work_in_cloud: 'The printer group works in cloud mode.' 468 | tip_group_work_in_local: 'The printer group works in LAN mode.' 469 | #CLOUD END 470 | 471 | #NEW ADD 472 | tip_printer_group_max: 'Panda Touch currently only supports %d printer group.' 473 | tip_one_master_at_least: 'You should keep one master printer in an group at least.' 474 | tip_one_select_at_least: | 475 | Please keep one master printer in an group. 476 | if you want to remove the group, you can press back button and remove it by delete button. 477 | tip_remove_group_confirm: 'Please confirm that you want to remove this printer group from the Panda Touch.' 478 | tip_group_same_name: 'There''s a same group exist,please rename it.' 479 | tip_printer_in_group: 'Printer has been selected in group,please remove the it in group.' 480 | tip_reprint_group_printer: 'This will only reprint the file on this printer. If you want to start printing on all printers in the group, please wait for all printers to complete and use the normal process to start printing.' 481 | tip_reprint_printer: 'Do you want to reprint the file on this printer?' 482 | tip_waiting_print_finished: 'Please stop the current printing task before starting a new one.' 483 | tip_group_connected: 'Printer group has successfully connected.' 484 | tip_group_printer_disconnected: 'The printer %d:%s has been disconnected.' 485 | tip_group_printer_connecting: 'The printer %d:%s is connecting.' 486 | tip_group_printer_printing: 'The printer %d:%s is printing.' 487 | tip_group_printer_temp_too_high: 'The printer %d:%s %d ℃.' 488 | tip_group_printer_file_config: 'Do you want to print the %s file? Please select the printing function you need to enable.' 489 | tip_group_power_off: 'Do you want to power-off the printers in this group?' 490 | tip_group_reset_power_usage: 'Do you want to clear the power usage of PWR printers bound within the group?' 491 | tip_group_power_off_not_online: 'A printer in the group has been disconnected. Please confirm if you want to continue turning off the power?' 492 | tip_group_printing_not_idle: 'There are some printers is printing in this group. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 493 | tip_group_temp_too_high_confirm: 'There are some printers in the group with a hot end temperature exceeding 50 degrees. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 494 | t_is_printing: 'Printing' 495 | t_is_idle: 'Idle' 496 | tip_enter_group_name: 'Please enter a group name:' 497 | tip_move_confirm: 'The printer/printer group is currently printing and cannot be moved.' 498 | tip_always_sleep: 'This operation will cause damage to the screen. Do you want to continue?' 499 | tip_bind_power: | 500 | Please press and hold the Panda PWR button until the blue light starts flashing, 501 | then place the Panda Touch against the Panda PWR casing to connect. 502 | tip_remove_keep_one: 'Please keep at least one printer.' 503 | tip_remove_printer_with_power: 'This printer is bound to Panda PWR. Do you want to continue deleting it?' 504 | tip_about_power: | 505 | Panda PWR 506 | Automatic shutdown,real-time power monitoring,power tracking,dual USB-A interface design,please scan the QR code for more information. 507 | tip_power_off_not_online_confirm: 'The printer has been disconnected, please confirm if you want to turn off the printer power?' 508 | tip_power_off_temp_too_high_confirm: 'The hotend temperature is>50C. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 509 | tip_power_off_confirm: 'Please confirm if you want to turn off the printer power?' 510 | tip_auto_power_off_confirm: 'Your printer will turn off once the print is complete and the hotend cools below 50C.' 511 | t_auto_power_off: 'Auto Power-off:' 512 | t_min: 'Min' 513 | t_countdown: 'Count down:' 514 | t_power: 'Power' 515 | tip_know_power: 'What is the Panda PWR' 516 | tip_add_power: 'Add Panda PWR' 517 | t_voltage: 'Voltage:' 518 | t_current: 'Current:' 519 | t_power_2: 'Power:' 520 | t_power_usage: 'Energy Usage:' 521 | t_printer: 'Printer-Leader:' 522 | t_power_wifi: 'Wifi SSID:' 523 | t_power_usb_follow: 'USB 1 Follow Printer Light:' 524 | t_usb_config_off: 'Off' 525 | t_usb_config_on: 'On' 526 | t_must_high: 'The input value must be greater than %ld' 527 | t_must_less: 'The input value must be less than %ld' 528 | t_power_printer_no: 'No.' 529 | tip_confirm_bind_power: 'Do you accept binding from Panda PWR?' 530 | tip_confirm_unbind_power: 'Do you want to unbind from Panda PWR?' 531 | t_reset_power_usage: | 532 | RST 533 | Usage 534 | t_reset_power_usage_print: 'RST Usage' 535 | tip_confirm_reset_power_usage: 'Do you want to reset the power usage?' 536 | t_auto_off: 'Auto Off' 537 | t_power_off_all: 'Do you want to close the PRINTERS bound to PWR in the group?' 538 | t_pwr_has_been_bind: 'This PWR has been bound by Printer %s ,Please unbind it before proceeding.' 539 | tip_pwr_max: 'Panda Touch currently supports connecting up to %d Panda PWR.' 540 | t_power_off_after_printing: 'Auto Power-off' 541 | tip_change_reboot: 'For a better speed experience, requires a reboot to take effect, continue?' 542 | t_multi_print_heat_delay: 'Multi printing heat delay' 543 | t_file_t_history: 'Print history' 544 | t_history_cost_time: 'Cost time' 545 | t_history_weight: 'Weight' 546 | t_history_only_cloud: 'Only support for Cloud mode' 547 | t_history_not_find: 'Not find' 548 | t_default_directory: 'Printer-Default-Directory' 549 | t_reboot_take_effect: 'Need reboot to take effect,Do you want to continue?' 550 | t_send_code: 'Send Code' 551 | tip_send_code: 'Input the code' 552 | tip_error_code_length: 'The length of code should be 6' 553 | tip_error_code: 'Code does not exist or has expired; please request a new verification code.' 554 | tip_error_send_code: 'Send code failed please check the internet.' 555 | tip_loading_thumbnail: 'Loading data from printer. Please wait a second.' 556 | t_sd_enhanced_load_thumbnails: 'Enhanced thumbnail display' 557 | tip_enhanced_load_effect: 'start printing from USB stick or click sd-card panel will cause a long delay and it will takes effect after reboot, continue?' 558 | tip_not_higher: 'Not higher than %d.' 559 | tip_dry_step1: '#%x Step1:# Remove anything that may be under or above the hotbed to avoid collisions with the hotbed, and remove filament from the tool head to avoid risk of clogging.' 560 | tip_dry_step2: '#%x Step2:# Click the "Prepare" button to move the tool head and hot bed to the preset position.' 561 | tip_dry_step3: '#%x Step3:# Place the filament on the hot bed as shown in the figure. (Closing the lid ensures better drying effect, the lid can be printed by PC or boxed).' 562 | tip_dry_step4: '#%x Step4:# Select the filament type, set the hot bed temperature and drying time, and click the "Start" button. (Flip the filament halfway through drying ensures better drying effect.)' 563 | tip_dry_completed: 'Drying completed.' 564 | tip_dry_not_support: 'Not support for A1, A1-mini, P1P.' 565 | tip_dry_printer_printing: 'The printer is printing.' 566 | tip_skip_obj_selected: '#ff0000 %d# objects is selected' 567 | tip_dry_ing: 'Drying' 568 | tip_dry_prepare_ok: 'Ready, please check if the printer tool head has returned to the preset position before clicking start.' 569 | #NEW ADD END 570 | -------------------------------------------------------------------------------- /Translation/en-ZA/en-ZA.yml: -------------------------------------------------------------------------------- 1 | en-ZA: 2 | #SETTING PAGE 3 | lang_name_t: 'English Boet' 4 | 5 | min_time_t_1: '1min' 6 | min_time_t_2: '2min' 7 | min_time_t_3: '3min' 8 | min_time_t_5: '5min' 9 | min_time_t_10: '10min' 10 | min_time_t_15: '15min' 11 | min_time_t_60: '60min' 12 | sleep_time_t_always: 'Always On' 13 | setting_gen_t: 'General' 14 | setting_net_t: 'Network' 15 | setting_gen_t_dev: 'Device:' 16 | setting_gen_t_man: 'Manufacturer:' 17 | setting_gen_t_lang: 'Language:' 18 | setting_gen_t_fw: 'Firmware:' 19 | setting_gen_t_slp: 'AutoSleep:' 20 | setting_gen_t_backlight: 'Backlight brightness:' 21 | setting_gen_t_reb: 'Restart' 22 | setting_gen_t_rst: 'Restore Factory Settings' 23 | #SETTING PAGE END 24 | 25 | #BUTTONS 26 | btn_cancel: 'Cancel' 27 | btn_ok: 'OK' 28 | btn_restart: 'Restart' 29 | btn_refresh: 'Refresh' 30 | btn_confirm: 'Confirm' 31 | btn_next: 'Next' 32 | btn_back: 'Back' 33 | btn_del: 'Delete' 34 | btn_scan: 'Scan' 35 | btn_factory: 'Factory Reset' 36 | btn_close: 'Close' 37 | btn_ignore_all: 'Ignore All' 38 | btn_load: 'Load' 39 | btn_unload: 'Unload' 40 | btn_retry: 'Retry' 41 | btn_abort: 'Abort' 42 | btn_print: 'Print' 43 | btn_remove: 'Remove' 44 | btn_stop: 'Stop' 45 | btn_pause: 'Pause' 46 | btn_resume: 'Resume' 47 | btn_filament: 'Filament' 48 | btn_done: 'Done' 49 | btn_stop_all: 'Stop All' 50 | btn_format: 'Format' 51 | btn_disconnect: 'Disconnect' 52 | btn_edit: 'Edit' 53 | btn_yes: 'Yes' 54 | btn_no: 'No' 55 | btn_reset: 'Reset' 56 | btn_add_printer: 'Add Printer' 57 | btn_add_group: 'Add Group' 58 | btn_goto_printers: 'Go to multi-device page' 59 | btn_goto_wifi: 'Go to Wi-Fi network' 60 | btn_ignore: 'Ignore' 61 | btn_goto_login: 'Go to Login page' 62 | btn_dry: 'Drying' 63 | btn_dry_prepare: 'Prepare' 64 | btn_dry_start: 'Start dry' 65 | btn_skip_obj: 'Skip' 66 | #BUTTONS END 67 | 68 | set_net_wifi_scaned: 'Scanned WiFi' 69 | welcome_tip: 'Please connect to the internet by selecting the WiFi network on the right and then entering the password. Hit refresh if you don''t see the desired network. Hit next once you have connected to the desired network.' 70 | tip_scan_qrcode: 'Please use your phone to scan the QR code to access the online manual.' 71 | loading: 'Loading...' 72 | top_wifi_connect: 'Connecting to WiFi %s' 73 | top_wifi_connect_fail: 'Failed to connect to WiFi: %s' 74 | top_wifi_disconnected: 'Disconnected from WiFi: %s' 75 | top_print_connecting: 'Connecting to Printer %d: %s' 76 | top_print_connected: 'Successfully connected to Printer %d: %s' 77 | top_print_connect_fail: 'Failed to connect to Printer %d: %s' 78 | #PRINT 79 | panda_touch: 'Panda Touch' 80 | printer_model: 'Model:' 81 | printer_name: 'Name:' 82 | scan_print_t_acescd: 'Access Code:' 83 | scan_print_t_ip: 'Printer IP:' 84 | filament_t_color: 'Filament color:' 85 | filament_t_matrl: 'Filament material:' 86 | nozzle_t_diameter: 'Nozzle diameter:' 87 | nozzle_t_matrl: 'Nozzle material:' 88 | wifi_c_wait_cancel: 'Waiting for cancellation...' 89 | print_bed_leveling: 'Bed Leveling' 90 | print_flow_calibration: 'Flow Calibration' 91 | print_timelapse: 'Timelapse' 92 | prints_in_sync: 'Printers in sync: %d' 93 | start_print_confirm: | 94 | Before starting the print, please take note of the following: 95 | 1. Ensure that the file was sliced for the selected printer(s). 96 | 2. Ensure the filament settings in the sliced file match the filament loaded into the AMS slots. 97 | print_using_ams: 'Use AMS' 98 | print_ams: 'Spool holder' 99 | print_canceled: 'Cancelled' 100 | print_finished: 'Finished' 101 | print_reprint: 'Reprint' 102 | bed_preheating: 'Heatbed preheating' 103 | nozzle_clean: 'Cleaning nozzle tip' 104 | bed_auto_leveing: 'Auto bed leveling' 105 | print_preparing: 'Preparing to print' 106 | print_t: 'Printer' 107 | print_not_find: 'No printers found, check your network and scan again' 108 | filament_unknown: 'Filament type is unknown, but it is required to perform this action. Do you want to edit the filament''s information?' 109 | printer_add_repeat: 'This printer has already been added to the Panda Touch and cannot be added again.' 110 | printer_has_add: 'Already added' 111 | printer_busy: |2 112 | 113 | 114 | Busy Printing 115 | nozzle_temperature: 'Nozzle Temperature' 116 | bambu_info_readonly: 'Infomation about Bambu Filament is stored in RFID and is read-only.' 117 | setting_slot_not_sup: 'Setting slot information while printing is not supported.' 118 | filament_minimum: 'Minimum' 119 | filament_maximum: 'Maximum' 120 | filament_unknown_type: 'Unknown' 121 | #PRINT 122 | #TIPS 123 | tip_input_optional: '(Optional)' 124 | tip_input_name: '(Required)Input your printer name' 125 | tip_input_ip: '(Required)Input your printer IP' 126 | tip_input_acescd: '(Required)Input your access code' 127 | tip_input_sn: '(Required)Input your SN' 128 | pop_tip_add_dev: 'Please confirm that you want to add this printer connection to the Panda Touch' 129 | pop_tip_restart: 'Please confirm that you want to restart the Panda Touch.' 130 | pop_tip_input_password: 'Input password' 131 | pop_tip_factory: 'Please confirm that you want to restore the factory settings. The Panda Touch will forget the WiFi settings and all added printers. A restart will be performed once done.' 132 | new_tip_get_info: 'How to get IP, Access Code, and SN Code.' 133 | pop_tip_print_abort: 'Please confirm whether to abort the current and subsequent upload and print tasks.' 134 | tip_not_insert_sdcard: 'MicroSD Card not inserted into printer.' 135 | tip_not_insert_usb_flash: 'USB Flash Drive not inserted.' 136 | tip_not_select_print: 'No printer selected, please select at least one printer to start printing.' 137 | tip_remove_refuse: 'Only "Disconnected" printers can be deleted. Please set this printer to "Disconnected" before deleting it.' 138 | tip_remove_confirm: 'Please confirm that you want to remove this printer from the Panda Touch.' 139 | tip_master_must: 'There must be at least one printer set as the "Master".' 140 | tip_mainly_query: 'Only one printer can be set as the "Master". Do you want to set this printer as the "Master" and set the old "Master" printer to "Sync"?' 141 | tip_printer_max: 'Panda Touch currently only supports connecting up to "%d" printers. You can use a second Panda Touch unit to control additional printers.' 142 | tip_pause_all: 'Are you sure that you want to pause all ongoing prints?' 143 | tip_stop_all: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop all ongoing prints?' 144 | tip_faild_upload: | 145 | Failed to upload file, please check the following: 146 | 1. Is the printer properly plugged in with an SD card and does the SD card have sufficient capacity. 147 | 2. Ensure the USB drive is well secured into the Panda Touch. 148 | 3. Move to a location with better WiFi signal. 149 | 4. When in cloud mode, please check and re-edit the "IP" or "Access Code". 150 | tip_wifi_disconnected: 'The WiFi connection was lost. Please ensure that you are in an area with sufficient signal strength.' 151 | tip_wifi_error: 'Failed to connect to current WiFi, Please check signal strength & password entered and then reconnect.' 152 | tip_unload_has_filament: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler.' 153 | tip_unload_has_filament_l: 'Please pull out the filament on the spool holder from the extruder or check if there is filament broken in the extruder, if AMS is to be used later, please connect PTFE tube to the coupler and click the "Retry" button.' 154 | tip_load_no_filament: 'Please feed from the spool holder until the tool head filament sensor is triggered.' 155 | tip_load_no_filament_l: 'Please feed from the spool holder until the tool head filament sensor is triggered and click the "Retry" button.' 156 | tip_load_filament: 'Please observe the nozzle. If the filament has been extruded, click "Done"; if it is not, please push the filament forward slightly and then click "Retry".' 157 | tip_heatbreak_fan: 'The heatbreak fan speed is abnormal.' 158 | tip_parsing_gcode: 'There was a problem parsing gcode.3mf. Please resend the printing job.' 159 | tip_nozzle_temp_malf: 'Nozzle temperature malfunction.' 160 | tip_front_cover: 'Printing was paused because the front cover of the tool head fell off. Please mount it back and click the resume icon to resume the print job.' 161 | tip_filament_runout: 'The filament ran out. Please load new filament in "Filament" and tap "Resume" to resume the print job.' 162 | tip_pause_print: 'Are you sure that you want to pause the ongoing print?' 163 | tip_stop_print: 'Once you stop a print, you cannot resume it. Are you sure that you want to stop the ongoing print?' 164 | tip_ams_runout: 'AMS filament has ran out. Please insert a new filament into the AMS and click the "Retry" button.' 165 | tip_ams_overload: 'AMS assist motor is overloaded. Please check if the spool or filament is stuck. After troubleshooting, click the "Retry" button.' 166 | tip_failed_feed: 'Failed to feed the filament into the toolhead. Please check whether the filament or the spool is stuck. After troubleshooting, click the "Retry" button.' 167 | tip_failed_pull: 'Failed to pull out the filament from the extruder. Please check whether the extruder is clogged or whether the filament is broken inside the extruder. After troubleshooting, click the "Retry" button.' 168 | tip_failed_extrude: 'Failed to extrude the filament. Please check if the extruder is clogged. After troubleshooting, click the "Retry" button.' 169 | tip_failed_feed_outside: 'Failed to feed the filament outside the AMS. Please clip the end of the filament flat and check to see if the spool is stuck. After troubleshooting, click the "Retry" button.' 170 | tip_select_model: 'Please select the model of the printer' 171 | tip_ams_busy: 'Cannot read filament info; the AMS is busy. Please try again later.' 172 | tip_ams_reading: 'The AMS is busy reading filament info; please try again later.' 173 | tip_ams_tray_empty: 'This tray is empty. Please try again after inserting filament.' 174 | tip_firmware: 'Please scan the code to view firmware release history and instructions on how to update the firmware.' 175 | #TIPS END 176 | #NOTIFY 177 | notify_center_t: 'Notification Center' 178 | notify_cnt_t: 'number of notifications:' 179 | notify_remind: 'Please scan the code to view possible solutions, or click the "Goto Printer" button to Set this printer as the "Master" printer' 180 | notify_remind_go_print: 'Goto Printer' 181 | notify_unknow_state: 'Panda Touch unknown status code.' 182 | 00x0300100000020001: 'The resonance frequency of the %s axis is low. The timing belt may be loose.' 183 | 00x0300100000020002: 'The 1st order mechanical resonance mode of %s axis differ much from last calibration, please re-run the machine calibration later.' 184 | 00x03000F0000010001: 'The accelerometer data is unavailable.' 185 | 00x03000D000001000B: 'The Z axis motor seems got stuck when moving up.' 186 | 00x03000D0000010003: 'The build plate is not placed properly. Please adjust it.' 187 | 00x03000D0000010004: 'The build plate is not placed properly. Please adjust it.' 188 | 00x03000D0000010005: 'The build plate is not placed properly. Please adjust it.' 189 | 00x03000D0000010006: 'The build plate is not placed properly. Please adjust it.' 190 | 00x03000D0000010007: 'The build plate is not placed properly. Please adjust it.' 191 | 00x03000D0000010008: 'The build plate is not placed properly. Please adjust it.' 192 | 00x03000D0000010009: 'The build plate is not placed properly. Please adjust it.' 193 | 00x03000D000001000A: 'The build plate is not placed properly. Please adjust it.' 194 | 00x03000D0000020001: 'Heatbed homing abnormal.' 195 | 00x03000A0000010005: 'Force sensor %s detected unexpected continuous force. The heatbed may be stuck, or the analog front end may be broken.' 196 | 00x03000A0000010004: 'External disturbance was detected when testing the force sensor %s sensitivity. The heatbed plate may have touched something outside the heatbed.' 197 | 00x03000A0000010003: 'The sensititvity of heatbed force sensor %s is too low.' 198 | 00x03000A0000010002: 'The sensititvity of heatbed force sensor %s is low.' 199 | 00x03000A0000010001: 'The sensititvity of heatbed force sensor %s is too high.' 200 | 00x0300040000020001: 'The speed of part cooling fan if too slow or stopped.' 201 | 00x0300030000020002: 'The speed of hotend fan is slow.' 202 | 00x0300030000010001: 'The speed of the hotend fan is too slow or stopped.' 203 | 00x0300060000010001: 'Motor-%s has an open-circuit. There may be a loose connection, or the motor may have failed.' 204 | 00x0300060000010002: 'Motor-%s has a short-circuit. It may have failed.' 205 | 00x0300060000010003: 'The resistance of Motor-%s is abnormal, the motor may have failed.' 206 | 00x0300010000010007: 'The heatbed temperature is abnormal; the sensor may have an open circuit.' 207 | 00x0300130000010001: 'The current sensor of Motor-%s is abnormal. This may be caused by a failure of the hardware sampling circuit.' 208 | 00x0300180000010005: 'The Z axis motor seems got stuck during movement, please check if there is any foreign matter on the Z sliders or Z timing belt wheels.' 209 | 00x0300190000010001: 'The eddy current sensor on Y-axis is not available, the wire should be broken.' 210 | 00x0300190000020002: 'The sensitivity of Y-axis eddy current sensor is too low.' 211 | 00x0300400000020001: 'Data transmission over the serial port is abnormal; the software system may be faulty.' 212 | 00x0300410000010001: 'The system voltage is unstable; triggering the power failure protection function.' 213 | 00x0300020000010001: 'The nozzle temperature is abnormal, the heater may be short circuit.' 214 | 00x0300020000010002: 'The nozzle temperature is abnormal, the heater may be open circuit.' 215 | 00x0300020000010003: 'The nozzle temperature is abnormal, the heater is over temperature.' 216 | 00x0300020000010006: 'The nozzle temperature is abnormal, the sensor may be short circuit.' 217 | 00x0300020000010007: 'The nozzle temperature is abnormal, the sensor may be open circuit.' 218 | 00x0300120000020001: 'The front cover of the toolhead fell off.' 219 | 00x0300180000010001: 'The value of extrusion force sensor is low, the nozzle seems to not be installed.' 220 | 00x0300180000010002: 'The sensitivity of the extrusion force sensor is low, the hotend may not installed correctly.' 221 | 00x0300180000010003: 'The extrusion force sensor is not available, the link between the MC and TH may be broken or the sensor is broken.' 222 | 223 | 00x0300180000010004: 'The data from extrusion force sensor is abnormal, the sensor should be broken.' 224 | 00x03001A0000020001: 'The nozzle is wrapped in the filament or the build plate is placed incorrectly.' 225 | 00x03001A0000020002: 'The extrusion force sensor detects that the nozzle is clogged.' 226 | 00x0C00010000010001: 'Micro Lidar camera is offline.' 227 | 00x0C00010000020002: 'Micro Lidar camera is malfunctioning.' 228 | 00x0C00010000010003: 'Micro Lidar Synchronization abnormal.' 229 | 00x0C00010000010004: 'Micro Lidar Lens dirty.' 230 | 00x0C00010000010005: 'Micro Lidar OTP parameter abnormal.' 231 | 00x0C00010000020006: 'Micro Lidar extrinsic parameter abnormal.' 232 | 00x0C00010000020007: 'Micro Lidar laser parameter drifted.' 233 | 234 | 00x0C00010000020008: 'Chamber camera offline.' 235 | 00x0C00010000010009: 'Chamber camera dirty.' 236 | 00x0C0001000001000A: 'The Micro Lidar LED may be broken.' 237 | 00x0C0001000002000B: 'Failed to calibrate Micro Lidar.' 238 | 00x0C00020000010001: 'Laser not lit.' 239 | 00x0C00020000020002: 'Laser too thick.' 240 | 00x0C00020000020003: 'Laser not bright enough.' 241 | 00x0C00020000020004: 'Nozzle height seems too low.' 242 | 00x0C00020000010005: 'A new micro lidar is detected.' 243 | 00x0C00020000020006: 'Nozzle height seems too high.' 244 | 245 | 00x0C00030000020001: 'Filament exposure metering failed.' 246 | 00x0C00030000020002: 'First layer inspection terminated due to abnormal lidar data.' 247 | 00x0C00030000020004: 'First layer inspection not supported for current print job.' 248 | 00x0C00030000020005: 'First layer inspection timeout.' 249 | 00x0C00030000030006: 'Purged filaments piled up.' 250 | 00x0C00030000030007: 'Possible first layer defects.' 251 | 00x0C00030000030008: 'Possible spaghetti defects.' 252 | 00x0C00030000010009: 'First layer inspection module rebooted.' 253 | 00x0C0003000003000B: 'Inspecting first layer.' 254 | 00x0C0003000002000C: 'Build plate marker not detected.' 255 | 256 | 00x0500010000020001: 'The media pipeline is malfunctioning.' 257 | 00x0500010000020002: 'USB camera is not connected.' 258 | 00x0500010000020003: 'USB camera is malfunctioning.' 259 | 00x0500010000030004: 'Not enough space in SD Card.' 260 | 00x0500010000030005: 'Error in SD Card.' 261 | 00x0500010000030006: 'Unformatted SD Card.' 262 | 00x0500020000020001: 'Failed to connect internet, please check the network connection.' 263 | 00x0500020000020005: 'Failed to connect internet, please check the network connection.' 264 | 00x0500020000020002: 'Failed to login device.' 265 | 00x0500020000020004: 'Unauthorized user.' 266 | 00x0500020000020006: 'Liveview service is malfunctioning.' 267 | 268 | 00x0500030000010001: 'The MC module is malfunctioning. Please restart the device.' 269 | 00x0500030000010002: 'The toolhead is malfunctioning. Please restart the device.' 270 | 00x0500030000010003: 'The AMS module is malfunctioning. Please restart the device.' 271 | 00x050003000001000A: 'System state is abnormal. Please restore factory settings.' 272 | 00x050003000001000B: 'The screen is malfunctioning.' 273 | 00x050003000002000C: 'Wireless hardware error: please turn off/on WiFi or restart the device.' 274 | 00x0500040000010001: 'Failed to download print job. Please check your network connection.' 275 | 00x0500040000010002: 'Failed to report print state. Please check your network connection.' 276 | 00x0500040000010003: 'The content of print file is unreadable. Please resend the print job.' 277 | 00x0500040000010004: 'The print file is unauthorized.' 278 | 00x0500040000010006: 'Failed to resume previous print.' 279 | 00x0500040000020007: 'The bed temperature exceeds the filament''s vitrification temperature, which may cause a nozzle clog..' 280 | 00x0700010000010001: 'The AMS%s assist motor has slipped.The extrusion wheel may be worn down,or the filament may be too thin.' 281 | 00x0700010000010003: 'The AMS%s assist motor torque control is malfunctioning.The current sensor may be faulty.' 282 | 00x0700010000010004: 'The AMS%s assist motor speed control is malfunctioning.The speed sensor may be faulty.' 283 | 00x0700010000020002: 'The AMS%s assist motor is overloaded,The filament may be tangled or stuck.' 284 | 00x0700020000010001: 'AMS%s filament speed and length error.The filament odometry may be faulty.' 285 | 00x0700100000010001: 'The AMS%s slot%s motor has slipped.The extrusion wheel may be malfunctioning,or the filament may be too thin.' 286 | 00x0700100000010003: 'The AMS%s slot%s motor torque control is malfunctioning.The current sensor may be faulty.' 287 | 00x0700100000020002: 'The AMS%s slot%s motor is overloaded.The filament may be tangled or stuck.' 288 | 00x0700200000020001: 'AMS%s Slot%s filament has run out.' 289 | 290 | 00x1200200000020001: 'AMS%s Slot%s filament has run out.' 291 | 00x0700200000020002: 'The AMS%s slot%s is empty.' 292 | 00x0700200000020003: 'The AMS%s slot%s''s filament may be broken in AMS.' 293 | 00x0700200000020004: 'The AMS%s slot%s''s filament may be broken in the tool head.' 294 | 00x0700200000020005: 'AMS%s Slot%s filament has run out, and purging the old filament went abnormally; please check whether the filament is stuck in the tool head.' 295 | 00x0700200000030001: 'AMS%s Slot%s filament has run out. Please wait while old filament is purged.' 296 | 00x0700200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 297 | 00x0700400000020001: 'The filament buffer signal lost,the cable or position sensor may be malfunctioning.' 298 | 00x0700400000020002: 'The filament buffer position signal error,the position sensor may be malfunctioning.' 299 | 00x0700400000020003: 'The AMS Hub communication is abnormal,the cable may be not well connected.' 300 | 00x0700400000020004: 'The filament buffer signal is abnormal,the spring may be stuck or the filament may be tangle.' 301 | 302 | 00x0700450000020001: 'The filament cutter sensor is malfunctioning.The sensor may be disconected or damaged.' 303 | 00x0700450000020002: 'The filament cutter''s cutting distance is too large.The XY motor may lose steps..' 304 | 00x0700450000020003: 'The filament cutter handle has not released.The handle or blade ay be stuck.' 305 | 00x0700510000030001: 'The AMS is disabled; please load filament from spool holder.' 306 | 00x0700500000020001: 'The AMS%s communication is abnormal,please check the connection cable.' 307 | 00x0700600000020001: 'The AMS%s slot%s is overloaded. The filament may be tangled or the spool may be stuck.' 308 | 00x1200100000020002: 'The AMS%s Slot%s motor is overloaded. The filament may be tangled or stuck.' 309 | 00x1200800000020001: 'AMS%s Slot%s filament may be tangled or stuck.' 310 | 00x07FF200000020001: 'External filament has run out; please load a new filament.' 311 | 00x07FF200000020002: 'External filament is missing; please load a new filament.' 312 | 00x07FF200000020004: 'Please pull out the filament on the spool holder from the extruder.' 313 | 314 | 00x12FF200000020007: 'Failed to check the filament location in the tool head, please click for more help.' 315 | 00x1200200000020006: 'Failed to extrude AMS%s Slot%s filament, the extruder may be clogged, or the filament may be too thin, causing the extruder slipping.' 316 | 00x1200200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 317 | #NOTIFY END 318 | 319 | #CONTROL 320 | ctl_top_t_temp_axis: 'Temperature/Axis' 321 | ctl_top_t_filament: 'Filament' 322 | ctl_t_part: 'Part' 323 | ctl_t_aux: 'Aux' 324 | ctl_t_chamber: 'Chamber' 325 | sw_t_on: 'ON' 326 | sw_t_off: 'OFF' 327 | ctl_t_speed: 'Printing speed' 328 | ctl_t_speed_silent: 'Silent' 329 | ctl_t_speed_standard: 'Standard' 330 | ctl_t_speed_sport: 'Sport' 331 | ctl_t_speed_ludicrous: 'Ludicrous' 332 | ctl_t_extruder: 'Extruder' 333 | ctl_t_temp_high: 'Not higher than %ld℃' 334 | ctl_t_filament_t_tip: 'Tips' 335 | ctl_t_filament_tip: 'Before loading, please make sure your filament is pushed into the toolhead.' 336 | ctl_t_to_load: 'To load' 337 | ctl_t_to_unload: 'To unload' 338 | ctl_t_heat_nozzle_temp: 'Heat the nozzle' 339 | ctl_t_push_new_filament: 'Push new filament into the extruder' 340 | ctl_t_grab_new_filament: 'Grab new filament' 341 | ctl_t_purge_old_filament: 'Purge old filament' 342 | ctl_t_cut_filament: 'Cut filament' 343 | ctl_t_back_filament: 'Pull back current filament' 344 | content_empty: 'Empty' 345 | tpu_not_supported: '"%s %s" is not supported by the AMS.' 346 | cf_gf_warning: '"%s %s" filaments are hard and brittle. They easily break or get stuck in the AMS; please use with caution.' 347 | pva_warning: 'Damp "%s %s" will become flexible and get stuck inside AMS; please take care to dry ot before use.' 348 | 349 | #CONTROL END 350 | 351 | #MQTT 352 | ctl_t_mqtt_ctl_mode: 'Control Mode' 353 | ctl_t_mqtt_statu_master: 'Leader' 354 | ctl_t_mqtt_statu_slave: 'Follower' 355 | ctl_t_mqtt_status_sync: 'Sync' 356 | ctl_t_mqtt_disconected: 'Disconnected' 357 | printer_connecting: 'Printer is currently connecting.' 358 | printer_disconnected: 'Printer is disconnected.' 359 | printer_connected: 'Printer has successfully connected.' 360 | mqtt_login_failed: | 361 | Cannot connect to printer! 362 | It may be that the "Access Code" is wrong. Click "Edit" to check and re-edit the "Access Code". 363 | To troubleshoot connection problems please scan the QR code. 364 | mqtt_never_connected: | 365 | Cannot connect to printer! 366 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 367 | To troubleshoot connection problems please scan the QR code. 368 | mqtt_master_changed: | 369 | Cannot connect to printer! 370 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 371 | Since this is the "Master", another printer in the group will be temporarily assigned as the "Master". 372 | If you have powered the printer off then ignore this message. 373 | To troubleshoot connection problems please scan the QR code. 374 | mqtt_master_error: | 375 | Cannot connect to printer! 376 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 377 | Since this is the "Master" and there are no other connected printers available in the group, you will not be able to use the Panda Touch until this is resolved. 378 | To troubleshoot connection problems please scan the QR code. 379 | mqtt_slave: | 380 | Cannot connect to printer! 381 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch or click "Edit" to check and re-edit the "IP" and "SN". 382 | This printer is not the "Master" so it will not be accessible or able to follow the "Master" if it is in a group. 383 | If you have powered the printer off then ignore this message. 384 | To troubleshoot connection problems please scan the QR code. 385 | mqtt_not_online: | 386 | Cannot connect to printer! 387 | Please ensure that the printer is powered up and on the same LAN as the Panda Touch. 388 | To troubleshoot connection problems please scan the QR code. 389 | #MQTT END 390 | 391 | #FILE 392 | file_t_usb_flash_driver: 'USB Flash Drive' 393 | file_t_name: 'Name' 394 | file_t_date: 'Date' 395 | file_t_size: 'Size' 396 | file_s_transmitting: 'Transmitting' 397 | file_s_printers_in_sync: 'Printers in sync:%d/%d' 398 | file_s_failed: 'Failed' 399 | file_s_printing: 'Printing' 400 | file_s_waiting: 'Waiting' 401 | #FILE END 402 | 403 | #GUID 404 | guid_t_start: 'Start' 405 | guid_c_start: 'Activate the Bambu lab original screen.' 406 | guid_t_get_ip_access: 'Get IP and Access Code' 407 | guid_c_get_ip_access_wlan: 'Select WLAN using D-pad, press OK to enter.' 408 | guid_c_get_ip_access_enter: 'Enter the IP and Access codes into the corresponding Panda Touch input boxes.' 409 | guid_t_get_sn: 'Get SN Code' 410 | guid_c_get_sn_return: 'Press return to settings.' 411 | guid_c_get_sn_enter: 'Select device using D-pad, press OK to enter.' 412 | guid_c_get_sn_enter_code: 'This is the SN code, please enter it in the corresponding input box on Panda Touch.' 413 | guid_t_completed: | 414 | ; ) 415 | Congratulations! You have completed the Panda Touch tutorial. Try out the features. 416 | guid_c_completed: 'Click blank area of the screen to return to connection interface. Can add printer info to track status.' 417 | sn: 'SN:' 418 | guid_unable_find: 'Unable to find your printer settings?' 419 | guide_select_lang: 'Please select your Panda Touch language' 420 | guide_ota_not_finished: 'OTA is not finished yet' 421 | guide_ota_remind: | 422 | Please use a computer on the same WiFi network, which can be a computer or mobile device running an operating system such as iOS or Android. This is referred to as the "computer" below. 423 | • Enter the Panda Touch's IP address in the computer's browser to access the web UI, and then click "Update File" button. 424 | • Click the "Choose File" button, then select the downloaded .img file. 425 | • The Panda Touch will automatically start updating. 426 | guid_ota_connect_wifi: 'Please connect to the Internet by selecting the WiFi network on the right and entering the password. If the network you want to connect to does''n''t appear, click the Refresh button.' 427 | #GUID END 428 | 429 | #CLOUD START 430 | tip_about_region: 'Please select the region before you Login, the region should be the same as your account region.' 431 | tip_del_account: 'Do you need to delete the account? PandaTouch will convert the printer bound to this account to local mode.' 432 | tip_input_phone: 'Please input your phone number' 433 | tip_input_email: 'Please input your email address' 434 | t_region: 'Region:' 435 | t_account: 'Account:' 436 | t_password: 'Code:' 437 | t_region_china: 'CHINA' 438 | t_region_global: 'GLOBAL' 439 | tip_phone_incorrect: 'Input the valid phone number' 440 | tip_email_incorrect: 'Input the valid email' 441 | tip_account_not_reg: 'Login failed, this account is not registered.' 442 | tip_password_incorrect: 'Login failed, please check the password.' 443 | tip_network_error: 'Login failed, please check the network.' 444 | tip_login_ok: | 445 | Cloud login successful! 446 | 447 | Would you like to convert all existing printers to cloud mode? Only select yes if you are not using any printers in “LAN mode”. If you are using printers in “LAN mode” then rather add each printer manually to the cloud by editing the mode settings. 448 | tip_account_sync_ok: 'Printers were successfully converted to cloud mode. You can see the current mode status of each printer in the multi-device page.' 449 | tip_account_sync_error: 'Some printers could not be converted to cloud mode. Please check your WiFi and cloud mode settings and try again.' 450 | tip_account_sync_zero: 'There are no cloud printers in the current account. Please add a printer to this account and then login again.' 451 | tip_printer_without_cloud: 'This printer has not been bound to this account yet. Please use BambuLab Studio or Handy to add the printer before enable the cloud.' 452 | tip_printer_login_account: 'Please log in to an account first.' 453 | tip_account_error: 'Your account is experiencing issues. Please check if there have been any changes to your account name. Also, verify that your account region matches your current location.' 454 | tip_account_network_error: 'Your network connection is experiencing issues. Please check if the network password has been changed and try reconnecting to restore the printer''s cloud connection.' 455 | t_login_bambu: 'Login BambuLab Account' 456 | tip_convert_to_cloud: 'Converting printers to cloud mode. Please wait.' 457 | t_enable_could: 'Enable cloud' 458 | tip_wifi_not_connected: 'The Wi-Fi connection has been disconnected, please connect to Wi-Fi first.' 459 | tip_printer_work_in_cloud: 'The printer works in cloud mode.' 460 | tip_printer_work_in_local: 'The printer works on the LAN mode.' 461 | tip_ftp_ip_invalid: | 462 | Please ensure that the printer is on the same LAN as the Panda Touch. 463 | Please check and re-edit the "IP" or "Access code". 464 | tip_ftp_not_find: 'File not found.' 465 | tip_group_printer_cloud_mode: 'Printer %d: %s is working in cloud mode.' 466 | tip_group_printer_local_mode: 'Printer %d: %s is working in LAN mode.' 467 | tip_group_work_in_cloud: 'The printer group works in cloud mode.' 468 | tip_group_work_in_local: 'The printer group works in LAN mode.' 469 | #CLOUD END 470 | 471 | #NEW ADD 472 | tip_printer_group_max: 'Panda Touch currently only supports %d printer group.' 473 | tip_one_master_at_least: 'You should keep one master printer in an group at least.' 474 | tip_one_select_at_least: | 475 | Please keep one master printer in an group. 476 | if you want to remove the group, you can press back button and remove it by delete button. 477 | tip_remove_group_confirm: 'Please confirm that you want to remove this printer group from the Panda Touch.' 478 | tip_group_same_name: 'There''s a same group exist,please rename it.' 479 | tip_printer_in_group: 'Printer has been selected in group,please remove the it in group.' 480 | tip_reprint_group_printer: 'This will only reprint the file on this printer. If you want to start printing on all printers in the group, please wait for all printers to complete and use the normal process to start printing.' 481 | tip_reprint_printer: 'Do you want to reprint the file on this printer?' 482 | tip_waiting_print_finished: 'Please stop the current printing task before starting a new one.' 483 | tip_group_connected: 'Printer group has successfully connected.' 484 | tip_group_printer_disconnected: 'The printer %d:%s has been disconnected.' 485 | tip_group_printer_connecting: 'The printer %d:%s is connecting.' 486 | tip_group_printer_printing: 'The printer %d:%s is printing.' 487 | tip_group_printer_temp_too_high: 'The printer %d:%s %d ℃.' 488 | tip_group_printer_file_config: 'Do you want to print the %s file? Please select the printing function you need to enable.' 489 | tip_group_power_off: 'Do you want to power-off the printers in this group?' 490 | tip_group_reset_power_usage: 'Do you want to clear the power usage of PWR printers bound within the group?' 491 | tip_group_power_off_not_online: 'A printer in the group has been disconnected. Please confirm if you want to continue turning off the power?' 492 | tip_group_printing_not_idle: 'There are some printers is printing in this group. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 493 | tip_group_temp_too_high_confirm: 'There are some printers in the group with a hot end temperature exceeding 50 degrees. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 494 | t_is_printing: 'Printing' 495 | t_is_idle: 'Idle' 496 | tip_enter_group_name: 'Please enter a group name:' 497 | tip_move_confirm: 'The printer/printer group is currently printing and cannot be moved.' 498 | tip_always_sleep: 'This operation will cause damage to the screen. Do you want to continue?' 499 | tip_bind_power: | 500 | Please press and hold the Panda PWR button until the blue light starts flashing, 501 | then place the Panda Touch against the Panda PWR casing to connect. 502 | tip_remove_keep_one: 'Please keep at least one printer.' 503 | tip_remove_printer_with_power: 'This printer is bound to Panda PWR. Do you want to continue deleting it?' 504 | tip_about_power: | 505 | Panda PWR 506 | Automatic shutdown,real-time power monitoring,power tracking,dual USB-A interface design,please scan the QR code for more information. 507 | tip_power_off_not_online_confirm: 'The printer has been disconnected, please confirm if you want to turn off the printer power?' 508 | tip_power_off_temp_too_high_confirm: 'The hotend temperature is>50C. Turning off the printer may cause blockage. Please wait for the hot end to cool down before turning off the printer power. Do you want to continue?' 509 | tip_power_off_confirm: 'Please confirm if you want to turn off the printer power?' 510 | tip_auto_power_off_confirm: 'Your printer will turn off once the print is complete and the hotend cools below 50C.' 511 | t_auto_power_off: 'Auto Power-off:' 512 | t_min: 'Min' 513 | t_countdown: 'Count down:' 514 | t_power: 'Power' 515 | tip_know_power: 'What is the Panda PWR' 516 | tip_add_power: 'Add Panda PWR' 517 | t_voltage: 'Voltage:' 518 | t_current: 'Current:' 519 | t_power_2: 'Power:' 520 | t_power_usage: 'Energy Usage:' 521 | t_printer: 'Printer-Leader:' 522 | t_power_wifi: 'Wifi SSID:' 523 | t_power_usb_follow: 'USB 1 Follow Printer Light:' 524 | t_usb_config_off: 'Off' 525 | t_usb_config_on: 'On' 526 | t_must_high: 'The input value must be greater than %ld' 527 | t_must_less: 'The input value must be less than %ld' 528 | t_power_printer_no: 'No.' 529 | tip_confirm_bind_power: 'Do you accept binding from Panda PWR?' 530 | tip_confirm_unbind_power: 'Do you want to unbind from Panda PWR?' 531 | t_reset_power_usage: | 532 | RST 533 | Usage 534 | t_reset_power_usage_print: 'RST Usage' 535 | tip_confirm_reset_power_usage: 'Do you want to reset the power usage?' 536 | t_auto_off: 'Auto Off' 537 | t_power_off_all: 'Do you want to close the PRINTERS bound to PWR in the group?' 538 | t_pwr_has_been_bind: 'This PWR has been bound by Printer %s ,Please unbind it before proceeding.' 539 | tip_pwr_max: 'Panda Touch currently supports connecting up to %d Panda PWR.' 540 | t_power_off_after_printing: 'Auto Power-off' 541 | tip_change_reboot: 'For a better speed experience, requires a reboot to take effect, continue?' 542 | t_multi_print_heat_delay: 'Multi printing heat delay' 543 | t_file_t_history: 'Print history' 544 | t_history_cost_time: 'Cost time' 545 | t_history_weight: 'Weight' 546 | t_history_only_cloud: 'Only support for Cloud mode' 547 | t_history_not_find: 'Not find' 548 | t_default_directory: 'Printer-Default-Directory' 549 | t_reboot_take_effect: 'Need reboot to take effect,Do you want to continue?' 550 | t_send_code: 'Send Code' 551 | tip_send_code: 'Input the code' 552 | tip_error_code_length: 'The length of code should be 6' 553 | tip_error_code: 'Code does not exist or has expired; please request a new verification code.' 554 | tip_error_send_code: 'Send code failed please check the internet.' 555 | tip_loading_thumbnail: 'Loading data from printer. Please wait a second.' 556 | t_sd_enhanced_load_thumbnails: 'Enhanced thumbnail display' 557 | tip_enhanced_load_effect: 'start printing from USB stick or click sd-card panel will cause a long delay and it will takes effect after reboot, continue?' 558 | tip_not_higher: 'Not higher than %d.' 559 | tip_dry_step1: '#%x Step1:# Remove anything that may be under or above the hotbed to avoid collisions with the hotbed, and remove filament from the tool head to avoid risk of clogging.' 560 | tip_dry_step2: '#%x Step2:# Click the "Prepare" button to move the tool head and hot bed to the preset position.' 561 | tip_dry_step3: '#%x Step3:# Place the filament on the hot bed as shown in the figure. (Closing the lid ensures better drying effect, the lid can be printed by PC or boxed).' 562 | tip_dry_step4: '#%x Step4:# Select the filament type, set the hot bed temperature and drying time, and click the "Start" button. (Flip the filament halfway through drying ensures better drying effect.)' 563 | tip_dry_completed: 'Drying completed.' 564 | tip_dry_not_support: 'Not support for A1, A1-mini, P1P.' 565 | tip_dry_printer_printing: 'The printer is printing.' 566 | tip_skip_obj_selected: '#ff0000 %d# objects is selected' 567 | tip_dry_ing: 'Drying' 568 | tip_dry_prepare_ok: 'Ready, please check if the printer tool head has returned to the preset position before clicking start.' 569 | #NEW ADD END 570 | -------------------------------------------------------------------------------- /Translation/ja.yml: -------------------------------------------------------------------------------- 1 | ja-JP: 2 | #SETTING PAGE 3 | lang_name_t: '日本語' 4 | 5 | min_time_t_1: '1分' 6 | min_time_t_2: '2分' 7 | min_time_t_3: '3分' 8 | min_time_t_5: '5分' 9 | min_time_t_10: '10分' 10 | min_time_t_15: '15分' 11 | min_time_t_60: '60分' 12 | 13 | sleep_time_t_always: '常にオン' 14 | 15 | setting_gen_t: '一般' 16 | setting_net_t: 'ネットワーク' 17 | setting_gen_t_dev: 'デバイス:' 18 | setting_gen_t_man: 'メーカー:' 19 | setting_gen_t_lang: '言語:' 20 | setting_gen_t_fw: 'ファームウェア:' 21 | setting_gen_t_slp: '自動スリープ:' 22 | setting_gen_t_backlight: 'バックライトの明るさ:' 23 | setting_gen_t_reb: '再起動' 24 | setting_gen_t_rst: '初期設定に戻す' 25 | #SETTING PAGE END 26 | 27 | #BUTTONS 28 | btn_cancel: 'キャンセル' 29 | btn_ok: 'OK' 30 | btn_restart: '再起動' 31 | btn_refresh: 'リフレッシュ' 32 | btn_confirm: '確認' 33 | btn_next: '次へ' 34 | btn_back: '戻る' 35 | btn_del: '削除' 36 | btn_scan: 'スキャン' 37 | btn_factory: '工場出荷状態へ戻す' 38 | btn_close: '閉じる' 39 | btn_ignore_all: '全て無視' 40 | btn_load: 'ロード' 41 | btn_unload: 'アンロード' 42 | btn_retry: 'リトライ' 43 | btn_abort: '中止' 44 | btn_print: '印刷' 45 | btn_remove: '削除' 46 | btn_stop: '停止' 47 | btn_pause: '一時停止' 48 | btn_resume: '再開' 49 | btn_filament: 'フィラメント' 50 | btn_done: '完了' 51 | btn_stop_all: '全て停止' 52 | btn_format: 'フォーマット' 53 | btn_disconnect: '切断' 54 | btn_edit: '編集' 55 | btn_yes: 'はい' 56 | btn_no: 'いいえ' 57 | btn_reset: 'リセット' 58 | btn_add_printer: 'プリンター追加' 59 | btn_add_group: 'グループ追加' 60 | btn_goto_printers: 'マルチデバイスページへ' 61 | btn_goto_wifi: 'Wi-Fiネットワークへ' 62 | btn_ignore: '無視' 63 | btn_goto_login: 'ログインページへ' 64 | btn_dry: 'dry' 65 | btn_dry_prepare: 'Preparare' 66 | btn_dry_start: 'Start dry' 67 | btn_skip_obj: 'Skip' 68 | #BUTTONS END 69 | 70 | set_net_wifi_scaned: 'スキャンされた WiFi' 71 | welcome_tip: '右側のWiFiネットワークを選択してインターネットに接続し、パスワードを入力してください。希望するネットワークが表示されない場合はリフレッシュを押してください。希望するネットワークに接続したら次へを押してください。' 72 | tip_scan_qrcode: 'オンラインマニュアルにアクセスするには、携帯電話でQRコードをスキャンしてください。' 73 | loading: '読み込み中...' 74 | top_wifi_connect: 'WiFi %sに接続中' 75 | top_wifi_connect_fail: 'WiFi: %sに接続失敗' 76 | top_wifi_disconnected: 'WiFi: %sから切断されました' 77 | top_print_connecting: 'プリンタ %d: %s に接続中' 78 | top_print_connected: 'プリンター%d: %sに接続成功' 79 | top_print_connect_fail: 'プリンタ%dへの接続に失敗しました: %s' 80 | #PRINT 81 | panda_touch: 'Panda Touch' 82 | printer_model: 'モデル:' 83 | printer_name: '名前:' 84 | scan_print_t_acescd: 'アクセスコード:' 85 | scan_print_t_ip: 'プリンターIP:' 86 | filament_t_color: 'フィラメントの色:' 87 | filament_t_matrl: 'フィラメントの素材:' 88 | nozzle_t_diameter: 'ノズル径:' 89 | nozzle_t_matrl: 'ノズル素材:' 90 | wifi_c_wait_cancel: 'キャンセル待ち中...' 91 | print_bed_leveling: 'ベッドレベリング' 92 | print_flow_calibration: '流量キャリブレーション' 93 | print_timelapse: 'タイムラプス' 94 | prints_in_sync: 'プリンターと同期中: %d' 95 | start_print_confirm: | 96 | 印刷を開始する前に、次の点に注意してください: 97 | 1. ファイルが選択したプリンター用にスライスされていることを確認してください。 98 | 2. スライスファイル内のフィラメント設定がAMSスロットにロードされたフィラメントと一致していることを確認してください。 99 | print_using_ams: 'AMSを使用' 100 | print_ams: 'スプールホルダー' 101 | print_canceled: 'キャンセル' 102 | print_finished: '完成' 103 | print_reprint: '再印刷' 104 | bed_preheating: 'ベッド予熱中' 105 | nozzle_clean: 'ノズル先端掃除中' 106 | bed_auto_leveing: 'オートベッドレベリング' 107 | print_preparing: '印刷の準備中' 108 | print_t: 'プリンター' 109 | print_not_find: 'プリンターが見つかりませんでした。ネットワークを確認し再スキャンしてください。' 110 | filament_unknown: 'フィラメントタイプが不明ですが、このアクションを実行する必要があります。フィラメント情報を編集しますか?' 111 | printer_add_repeat: 'このプリンターはすでにパンダタッチに追加されており、再追加できません。' 112 | printer_has_add: '既に追加済み' 113 | printer_busy: | 114 | 115 | 116 | 印刷中 117 | nozzle_temperature: 'ノズル温度' 118 | bambu_info_readonly: 'バンブーフィラメント情報はRFIDに保存され、読み取り専用です。' 119 | setting_slot_not_sup: '印刷中のスロット情報設定はサポートされていません。' 120 | filament_minimum: '最小' 121 | filament_maximum: '最大' 122 | filament_unknown_type: '不明' 123 | #PRINT 124 | #TIPS 125 | tip_input_optional: '(オプション)' 126 | tip_input_name: '(必須)プリンター名' 127 | tip_input_ip: '(必須)プリンターIP' 128 | tip_input_acescd: '(必須)アクセスコード' 129 | tip_input_sn: '(必須)プリンターSN' 130 | pop_tip_add_dev: 'このプリンター接続をPanda Touchに追加することを確認してください。' 131 | pop_tip_restart: 'Panda Touchを再起動することを確認してください。' 132 | pop_tip_input_password: 'パスワード入力' 133 | pop_tip_factory: '工場出荷時設定に戻すことを確認してください。Panda TouchはWiFi設定と追加されたすべてのプリンターを忘れます。完了すると再起動が行われます。' 134 | new_tip_get_info: 'IP、アクセスコード、SNコードの取得方法。' 135 | pop_tip_print_abort: '現在および以降のアップロードおよび印刷タスクを中止するかどうかを確認してください。' 136 | tip_not_insert_sdcard: 'プリンターにMicroSDカードが挿入されていません。' 137 | tip_not_insert_usb_flash: 'USBフラッシュドライブが挿入されていません。' 138 | tip_not_select_print: 'プリンターが選択されていません。印刷を開始するには、少なくとも1台のプリンターを選択してください。' 139 | tip_remove_refuse: '「切断」されたプリンターのみを削除できます。このプリンターを「切断」に設定してから削除してください。' 140 | tip_remove_confirm: 'このプリンターをPanda Touchから削除することを確認してください。' 141 | tip_master_must: '「マスター」として設定されたプリンターが少なくとも1つ必要です。' 142 | tip_mainly_query: '「マスター」として1台のプリンターのみを設定できます。このプリンターを「マスター」に設定し、古い「マスター」プリンターを「同期」に設定しますか?' 143 | tip_printer_max: 'Panda Touchは現在、最大「%d」台のプリンターに接続をサポートしています。追加のプリンターを制御するには、2番目のPanda Touchユニットを使用できます。' 144 | tip_pause_all: '進行中のすべての印刷を一時停止しますか?' 145 | tip_stop_all: '印刷を停止すると再開できません。進行中のすべての印刷を停止しますか?' 146 | tip_faild_upload: | 147 | ファイルのアップロードに失敗しました。次のことを確認してください: 148 | 1. プリンターがSDカードで正しく接続され、SDカードに十分な容量があることを確認してください。 149 | 2. USBドライブがPanda Touchにしっかりと固定されていることを確認してください。 150 | 3. より良いWiFi信号が得られる場所に移動してください。 151 | 4. クラウドモードの場合、「IP」または「アクセスコード」を確認して再編集してください。 152 | tip_wifi_disconnected: 'WiFi接続が失われました。十分な信号強度のあるエリアにいることを確認してください。' 153 | tip_wifi_error: '現在のWiFiに接続できませんでした。信号強度と入力したパスワードを確認して再接続してください。' 154 | tip_unload_has_filament: '押出機のスプールホルダーからフィラメントを引き出すか、押出機内でフィラメントが壊れていないかを確認してください。後でAMSを使用する場合は、PTFEチューブをカプラーに接続してください。' 155 | tip_unload_has_filament_l: '押出機のスプールホルダーからフィラメントを引き出すか、押出機内でフィラメントが壊れていないかを確認してください。後でAMSを使用する場合は、PTFEチューブをカプラーに接続し、「リトライ」ボタンをクリックしてください。' 156 | tip_load_no_filament: 'ツールヘッドのフィラメントセンサーが作動するまでスプールホルダーからフィラメントを供給してください。' 157 | tip_load_no_filament_l: 'ツールヘッドのフィラメントセンサーが作動するまでスプールホルダーからフィラメントを供給し、「リトライ」ボタンをクリックしてください。' 158 | tip_load_filament: 'ノズルを観察してください。フィラメントが押し出された場合は「完了」をクリックし、そうでない場合はフィラメントを少し前に押してから「リトライ」をクリックしてください。' 159 | tip_heatbreak_fan: 'ヒートブレイクファンの速度が異常です。' 160 | tip_parsing_gcode: 'gcode.3mfの解析中に問題が発生しました。印刷ジョブを再送信してください。' 161 | tip_nozzle_temp_malf: 'ノズル温度の異常があります。' 162 | tip_front_cover: 'ツールヘッドの前面カバーが外れたため、印刷が一時停止されました。元に戻して、再開アイコンをクリックして印刷ジョブを再開してください。' 163 | tip_filament_runout: 'フィラメントが無くなりました。「フィラメント」で新しいフィラメントをロードし、「再開」をタップして印刷ジョブを再開してください。' 164 | tip_pause_print: '進行中の印刷を一時停止しますか?' 165 | tip_stop_print: '印刷を停止すると、再開できません。進行中の印刷を停止しますか?' 166 | tip_ams_runout: 'AMSフィラメントが無くなりました。AMSに新しいフィラメントを挿入し、「リトライ」ボタンをクリックしてください。' 167 | tip_ams_overload: 'AMS補助モーターが過負荷です。スプールまたはフィラメントが詰まっているかどうかを確認してください。トラブルシューティング後、「リトライ」ボタンをクリックしてください。' 168 | tip_failed_feed: 'フィラメントをツールヘッドに供給できませんでした。フィラメントまたはスプールが詰まっているかどうかを確認してください。トラブルシューティング後、「リトライ」ボタンをクリックしてください。' 169 | tip_failed_pull: '押出機からフィラメントを引き出すことができませんでした。押出機が詰まっていないか、押出機内でフィラメントが壊れていないかを確認してください。トラブルシューティング後、「リトライ」ボタンをクリックしてください。' 170 | tip_failed_extrude: 'フィラメントを押し出すことができませんでした。押出機が詰まっていないか確認してください。トラブルシューティング後、「リトライ」ボタンをクリックしてください。' 171 | tip_failed_feed_outside: 'AMSの外でフィラメントを供給できませんでした。フィラメントの端を平らにクリップし、スプールが詰まっていないかを確認してください。トラブルシューティング後、「リトライ」ボタンをクリックしてください。' 172 | tip_select_model: 'プリンターのモデルを選択してください。' 173 | tip_ams_busy: 'フィラメント情報を読み取れません。AMSがビジー状態です。後でもう一度お試しください。' 174 | tip_ams_reading: 'AMSがフィラメント情報を読み取っています。後でもう一度お試しください。' 175 | tip_ams_tray_empty: 'このトレイは空です。フィラメントを挿入してから再試行してください。' 176 | tip_firmware: 'ファームウェアのリリース履歴と更新方法の説明を表示するには、コードをスキャンしてください。' 177 | #TIPS END 178 | #NOTIFY 179 | notify_center_t: '通知センター' 180 | notify_cnt_t: '通知数:' 181 | notify_remind: 'ソリューションを見るにはコードをスキャンするか、"マスター"プリンターとして設定するには「プリンターに移動」ボタンをクリックしてください。' 182 | notify_remind_go_print: 'プリンターに移動' 183 | notify_unknow_state: 'パンダタッチ不明なステータスコード。' 184 | 185 | 00x0300100000020001: 'タイミングベルトが緩んでいる可能性があります。' 186 | 00x0300100000020002: '機械的共振モードは、最後の較正と大きく異なります。機械較正を再実行してください。' 187 | 00x03000F0000010001: '共振補正のデータを利用できません' 188 | 00x03000D000001000B: '上方向に動くときにZ軸モーターが詰まったようです。' 189 | 00x03000D0000010003: 'ビルドプレートが正しく配置されていません。調整してください。' 190 | 00x03000D0000010004: 'ビルドプレートが正しく配置されていません。調整してください。' 191 | 00x03000D0000010005: 'ビルドプレートが正しく配置されていません。調整してください。' 192 | 00x03000D0000010006: 'ビルドプレートが正しく配置されていません。調整してください。' 193 | 00x03000D0000010007: 'ビルドプレートが正しく配置されていません。調整してください。' 194 | 00x03000D0000010008: 'ビルドプレートが正しく配置されていません。調整してください。' 195 | 196 | 00x03000D0000010009: 'ビルドプレートが正しく配置されていません。調整してください。' 197 | 00x03000D000001000A: 'ビルドプレートが正しく配置されていません。調整してください。' 198 | 00x03000D0000020001: 'ヒートベッドのホームポジションが異常です。' 199 | 00x03000A0000010005: 'ヒートベッドに何かが接触している可能性があります。' 200 | 00x03000A0000010004: 'ヒートベッドに何かが接触している可能性があります。' 201 | 00x03000A0000010003: 'ヒートベッドの感度が低すぎます。' 202 | 00x03000A0000010002: 'ヒートベッドの感度が低いです。' 203 | 00x03000A0000010001: 'ヒートベッドの感度が高すぎます。' 204 | 00x0300040000020001: 'パート冷却ファンの速度が低すぎるか停止しています。' 205 | 00x0300030000020002: 'ホットエンドファンの速度が遅いです。' 206 | 207 | 00x0300030000010001: 'ホットエンドファンの速度が低すぎるか停止しています。' 208 | 00x0300060000010001: 'モーターにオープン回路があります。' 209 | 00x0300060000010002: 'モーターが短絡しています。' 210 | 00x0300060000010003: 'モーターの抵抗が異常です。' 211 | 00x0300010000010007: 'ヒートベッド温度が異常です。センサーにオープンサーキットがあるかもしれません。' 212 | 00x0300130000010001: 'モーター-%sの電流センサーが異常です。これはハードウェアのサンプリング回路の故障による可能性があります。' 213 | 00x0300180000010005: 'Z軸モーターが動作中に詰まっているようです。ZスライダーやZタイミングベルトホイールに異物がないか確認してください。' 214 | 00x0300190000010001: 'Y軸の渦電流センサーが利用できません。ケーブルが切れているかもしれません。' 215 | 00x0300190000020002: 'Y軸の渦電流センサーの感度が低すぎます。' 216 | 00x0300400000020001: 'シリアルポートでのデータ転送が異常です。ソフトウェアシステムに不具合がある可能性があります。' 217 | 218 | 00x0300410000010001: 'システム電圧が不安定です。電源障害保護機能が作動しています。' 219 | 00x0300020000010001: 'ノズル温度が異常です。ヒーターが短絡している可能性があります。' 220 | 00x0300020000010002: 'ノズル温度が異常です。ヒーターがオープンサーキットになっている可能性があります。' 221 | 00x0300020000010003: 'ノズル温度が異常です。ヒーターが過熱しています。' 222 | 00x0300020000010006: 'ノズル温度が異常です。センサーが短絡している可能性があります。' 223 | 00x0300020000010007: 'ノズル温度が異常です。センサーがオープンサーキットになっている可能性があります。' 224 | 00x0300120000020001: 'ツールヘッドの前カバーが外れました。' 225 | 00x0300180000010001: '押出力センサーの値が低いです。ノズルが取り付けられていないようです。' 226 | 00x0300180000010002: '押出力センサーの感度が低いです。ホットエンドが正しく取り付けられていない可能性があります。' 227 | 00x0300180000010003: '押出力センサーが利用できません。MCとTHの間の接続が切れているか、センサーが故障している可能性があります。' 228 | 229 | 00x0300180000010004: '押出力センサーのデータが異常です。センサーが故障している可能性があります。' 230 | 00x03001A0000020001: 'ノズルがフィラメントに絡まっているか、ビルドプレートが正しく配置されていません。' 231 | 00x03001A0000020002: '押出力センサーがノズルの詰まりを検出しました。' 232 | 00x0C00010000010001: 'マイクロライダー カメラがオフラインです。' 233 | 00x0C00010000020002: 'マイクロライダー カメラが故障しています。' 234 | 00x0C00010000010003: 'マイクロライダー 同期異常。' 235 | 00x0C00010000010004: 'マイクロライダー レンズが汚れています。' 236 | 00x0C00010000010005: 'マイクロライダー OTPパラメーター異常。' 237 | 00x0C00010000020006: 'マイクロライダー 外部パラメーター異常。' 238 | 00x0C00010000020007: 'マイクロライダー レーザーパラメーターのドリフト。' 239 | 240 | 00x0C00010000020008: 'チャンバーカメラがオフラインです。' 241 | 00x0C00010000010009: 'チャンバーカメラが汚れています。' 242 | 00x0C0001000001000A: 'マイクロライダー LEDが壊れている可能性があります。' 243 | 00x0C0001000002000B: 'マイクロライダーのキャリブレーションに失敗しました。' 244 | 00x0C00020000010001: 'レーザーが点灯していません。' 245 | 00x0C00020000020002: 'レーザーが太すぎます。' 246 | 00x0C00020000020003: 'レーザーが明るくありません。' 247 | 00x0C00020000020004: 'ノズルの高さが低すぎるようです。' 248 | 00x0C00020000010005: '新しいマイクロライダーが検出されました。' 249 | 00x0C00020000020006: 'ノズルの高さが高すぎるようです。' 250 | 251 | 00x0C00030000020001: 'フィラメントの露光計測に失敗しました。' 252 | 00x0C00030000020002: '異常なライダーデータのため、最初のレイヤー検査が終了しました。' 253 | 00x0C00030000020004: '現在の印刷ジョブでは最初のレイヤー検査はサポートされていません。' 254 | 00x0C00030000020005: '最初のレイヤー検査がタイムアウトしました。' 255 | 00x0C00030000030006: 'パージされたフィラメントが積み重なっています。' 256 | 00x0C00030000030007: '最初のレイヤーに欠陥がある可能性があります。' 257 | 00x0C00030000030008: 'スパゲッティ欠陥の可能性があります。' 258 | 00x0C00030000010009: '最初のレイヤー検査モジュールが再起動しました。' 259 | 00x0C0003000003000B: '最初のレイヤーを検査中。' 260 | 00x0C0003000002000C: 'ビルドプレートマーカーが検出されません。' 261 | 262 | 00x0500010000020001: 'メディアパイプラインが故障しています。' 263 | 00x0500010000020002: 'USBカメラが接続されていません。' 264 | 00x0500010000020003: 'USBカメラが故障しています。' 265 | 00x0500010000030004: 'SDカードに空き容量がありません。' 266 | 00x0500010000030005: 'SDカードにエラーがあります。' 267 | 00x0500010000030006: '未フォーマットのSDカード。' 268 | 00x0500020000020001: 'インターネットに接続できません。ネットワーク接続を確認してください。' 269 | 00x0500020000020005: 'インターネットに接続できません。ネットワーク接続を確認してください。' 270 | 00x0500020000020002: 'デバイスへのログインに失敗しました。' 271 | 00x0500020000020004: '無許可のユーザーです。' 272 | 00x0500020000020006: 'ライブビューサービスが故障しています。' 273 | 274 | 00x0500030000010001: 'MCモジュールが故障しています。デバイスを再起動してください。' 275 | 00x0500030000010002: 'ツールヘッドが故障しています。デバイスを再起動してください。' 276 | 00x0500030000010003: 'AMSモジュールが故障しています。デバイスを再起動してください。' 277 | 00x050003000001000A: 'システム状態が異常です。工場出荷時の設定を復元してください。' 278 | 00x050003000001000B: '画面が故障しています。' 279 | 00x050003000002000C: 'ワイヤレスハードウェアエラー: WiFiをオフ/オンにするか、デバイスを再起動してください。' 280 | 00x0500040000010001: '印刷ジョブのダウンロードに失敗しました。ネットワーク接続を確認してください。' 281 | 00x0500040000010002: '印刷状態の報告に失敗しました。ネットワーク接続を確認してください。' 282 | 00x0500040000010003: '印刷ファイルの内容を読み取れません。印刷ジョブを再送信してください。' 283 | 00x0500040000010004: '印刷ファイルが無許可です。' 284 | 00x0500040000010006: '以前の印刷を再開できませんでした。' 285 | 286 | 00x0500040000020007: 'ベッド温度がフィラメントのガラス転移温度を超えており、ノズルの詰まりを引き起こす可能性があります。' 287 | 00x0700010000010001: 'AMS%sアシストモーターが滑っています。押出ホイールが摩耗しているか、フィラメントが薄すぎる可能性があります。' 288 | 00x0700010000010003: 'AMS%sアシストモーターのトルク制御が故障しています。電流センサーが故障している可能性があります。' 289 | 00x0700010000010004: 'AMS%sアシストモーターの速度制御が故障しています。速度センサーが故障している可能性があります。' 290 | 00x0700010000020002: 'AMS%sアシストモーターが過負荷です。フィラメントが絡まっているか、詰まっている可能性があります。' 291 | 00x0700020000010001: 'AMS%sフィラメントの速度と長さに誤差があります。オドメトリが故障している可能性があります。' 292 | 00x0700100000010001: 'AMS%sスロット%sモーターが滑っています。押出ホイールが故障しているか、フィラメントが薄すぎる可能性があります。' 293 | 00x0700100000010003: 'AMS%sスロット%sモーターのトルク制御が故障しています。電流センサーが故障している可能性があります。' 294 | 00x0700100000020002: 'AMS%sスロット%sモーターが過負荷です。フィラメントが絡まっているか、詰まっている可能性があります。' 295 | 00x0700200000020001: 'AMS%sスロット%sのフィラメントがなくなりました。' 296 | 297 | 00x1200200000020001: 'AMS%sスロット%sのフィラメントがなくなりました。' 298 | 00x0700200000020002: 'AMS%sスロット%sが空です。' 299 | 00x0700200000020003: 'AMS%sスロット%sのフィラメントがAMS内で切れている可能性があります。' 300 | 00x0700200000020004: 'AMS%sスロット%sのフィラメントがツールヘッド内で切れている可能性があります。' 301 | 00x0700200000020005: 'AMS%sスロット%sのフィラメントがなくなり、古いフィラメントのパージが異常でした。フィラメントがツールヘッド内で詰まっていないか確認してください。' 302 | 00x0700200000030001: 'AMS%sスロット%sのフィラメントがなくなりました。古いフィラメントがパージされるのをお待ちください。' 303 | 00x0700200000030002: 'AMS%sスロット%sのフィラメントがなくなり、同じフィラメントがあるスロットに自動的に切り替わりました。' 304 | 00x0700400000020001: 'フィラメントバッファ信号が失われました。ケーブルまたはポジションセンサーが故障している可能性があります。' 305 | 00x0700400000020002: 'フィラメントバッファ位置信号エラー。ポジションセンサーが故障している可能性があります。' 306 | 00x0700400000020003: 'AMSハブの通信が異常です。ケーブルの接続がうまくいっていない可能性があります。' 307 | 00x0700400000020004: 'フィラメントバッファ信号が異常です。スプリングが詰まっているか、フィラメントが絡まっている可能性があります。' 308 | 309 | 00x0700450000020001: 'フィラメントカッターセンサーが故障しています。センサーの接続が切れているか、損傷している可能性があります。' 310 | 00x0700450000020002: 'フィラメントカッターの切断距離が大きすぎます。XYモーターがステップを失っている可能性があります。' 311 | 00x0700450000020003: 'フィラメントカッターハンドルがリリースされていません。ハンドルまたはブレードが詰まっている可能性があります。' 312 | 00x0700510000030001: 'AMSが無効です。スプールホルダーからフィラメントをロードしてください。' 313 | 00x0700500000020001: 'AMS%sの通信が異常です。接続ケーブルを確認してください。' 314 | 00x0700600000020001: 'AMS%sスロット%sが過負荷です。フィラメントが絡まっているか、スプールが詰まっている可能性があります。' 315 | 00x1200100000020002: 'AMS%sスロット%sモーターが過負荷です。フィラメントが絡まっているか、詰まっている可能性があります。' 316 | 00x1200800000020001: 'AMS%sスロット%sフィラメントが絡まっているか、詰まっている可能性があります。' 317 | 00x07FF200000020001: '外部フィラメントがなくなりました。新しいフィラメントをロードしてください。' 318 | 00x07FF200000020002: '外部フィラメントがありません。新しいフィラメントをロードしてください。' 319 | 00x07FF200000020004: 'スプールホルダーのフィラメントをエクストルーダーから引き抜いてください。' 320 | 321 | 00x12FF200000020007: 'ツールヘッド内のフィラメントの位置を確認できませんでした。詳細なヘルプについてはクリックしてください。' 322 | 00x1200200000020006: 'AMS%sスロット%sのフィラメントの押し出しに失敗しました。エクストルーダーが詰まっているか、フィラメントが薄すぎてエクストルーダーが滑っている可能性があります。' 323 | 324 | 00x1200200000030002: 'AMS%s Slot%s filament has run out and automatically switched to the slot with the same filament.' 325 | #NOTIFY END 326 | 327 | #CONTROL 328 | ctl_top_t_temp_axis: '温度/軸' 329 | ctl_top_t_filament: 'フィラメント' 330 | ctl_t_part: '部品' 331 | ctl_t_aux: '補助' 332 | ctl_t_chamber: 'チャンバー' 333 | sw_t_on: 'オン' 334 | sw_t_off: 'オフ' 335 | ctl_t_speed: '印刷速度' 336 | ctl_t_speed_silent: '静音' 337 | ctl_t_speed_standard: '標準' 338 | ctl_t_speed_sport: 'スポーツ' 339 | ctl_t_speed_ludicrous: ' ルディクルス' 340 | ctl_t_extruder: 'エクストルーダー' 341 | ctl_t_temp_high: '指定温度以上にしないでください %ld℃' 342 | ctl_t_filament_t_tip: 'ヒント' 343 | ctl_t_filament_tip: 'ロードする前に、フィラメントがツールヘッドに押し込まれていることを確認してください。' 344 | ctl_t_to_load: 'ロードする' 345 | ctl_t_to_unload: 'アンロードする' 346 | ctl_t_heat_nozzle_temp: 'ノズルを加熱する' 347 | ctl_t_push_new_filament: '新しいフィラメントをエクストルーダーに押し込む' 348 | ctl_t_grab_new_filament: '新しいフィラメントを掴む' 349 | ctl_t_purge_old_filament: '古いフィラメントをパージする' 350 | ctl_t_cut_filament: 'フィラメントをカットする' 351 | ctl_t_back_filament: '現在のフィラメントを引き戻す' 352 | content_empty: '空' 353 | tpu_not_supported: '"%s %s"はAMSでサポートされていません。' 354 | cf_gf_warning: '"%s %s"フィラメントは硬くて脆いため、AMSで簡単に割れたり詰まったりします。使用には注意してください。' 355 | pva_warning: '湿った"%s %s"は柔軟になり、AMS内で詰まります。 使用前に乾燥させてください’' 356 | 357 | #CONTROL END 358 | 359 | #MQTT 360 | ctl_t_mqtt_ctl_mode: '制御モード' 361 | ctl_t_mqtt_statu_master: 'リーダー' 362 | ctl_t_mqtt_statu_slave: 'フォロワー' 363 | ctl_t_mqtt_status_sync: '同期' 364 | ctl_t_mqtt_disconected: '切断' 365 | printer_connecting: 'プリンターが接続中です。' 366 | printer_disconnected: 'プリンターが切断されました。' 367 | printer_connected: 'プリンターの接続に成功しました。' 368 | mqtt_login_failed: | 369 | プリンターに接続できません! 370 | アクセスコード"が間違っている可能性があります。「編集」をクリックして「アクセスコード」を確認および再編集してください。 371 | 接続の問題を解決するにはQRコードをスキャンしてください。 372 | mqtt_never_connected: | 373 | プリンターに接続できません! 374 | プリンターの電源が入っており、Panda Touchと同じLAN上にあることを確認してください。または「編集」をクリックして「IP」および「SN」を確認および再編集してください。 375 | 接続の問題を解決するにはQRコードをスキャンしてください。 376 | mqtt_master_changed: | 377 | プリンターに接続できません! 378 | プリンターの電源が入っており、Panda Touchと同じLAN上にあることを確認してください。または「編集」をクリックして「IP」および「SN」を確認および再編集してください。 379 | これは「リーダー」であるため、グループ内の別のプリンターが一時的に「リーダー」として割り当てられます。 380 | プリンターの電源を切った場合は、このメッセージを無視してください。 381 | 接続の問題を解決するにはQRコードをスキャンしてください。 382 | mqtt_master_error: | 383 | プリンターに接続できません! 384 | プリンターの電源が入っており、Panda Touchと同じLAN上にあることを確認してください。または「編集」をクリックして「IP」および「SN」を確認および再編集してください。 385 | これは「リーダー」であり、グループ内に接続されている他のプリンターがないため、問題が解決するまでPanda Touchを使用できません。 386 | 接続の問題を解決するにはQRコードをスキャンしてください。 387 | mqtt_slave: | 388 | プリンターに接続できません! 389 | プリンターの電源が入っており、Panda Touchと同じLAN上にあることを確認して下さい。または「編集」をクリックして「IP」および「SN」を確認および再編集してください。 390 | このプリンターは「リーダー」ではないため、グループ内で「リーダー」をフォローできません。 391 | プリンターの電源を切った場合は、このメッセージを無視してください。 392 | 接続の問題を解決するにはQRコードをスキャンしてください。 393 | mqtt_not_online: | 394 | プリンターに接続できません! 395 | プリンターの電源が入っており、Panda Touchと同じLAN上にあることを確認してください。 396 | 接続の問題を解決するにはQRコードをスキャンしてください。 397 | #MQTT END 398 | 399 | #FILE 400 | file_t_usb_flash_driver: 'USBフラッシュドライブ' 401 | file_t_name: '名前' 402 | file_t_date: '日付' 403 | file_t_size: 'サイズ' 404 | file_s_transmitting: '送信中' 405 | file_s_printers_in_sync: '同期中のプリンター:%d/%d' 406 | file_s_failed: '失敗' 407 | file_s_printing: '印刷中' 408 | file_s_waiting: '待機中' 409 | #FILE END 410 | 411 | #GUID 412 | guid_t_start: '開始' 413 | guid_c_start: 'BambuLabオリジナル画面をアクティブにします。' 414 | guid_t_get_ip_access: 'IPおよびアクセスコードを取得' 415 | guid_c_get_ip_access_wlan: 'D-padを使用してWLANを選択し、OKを押して入力します。' 416 | guid_c_get_ip_access_enter: '対応するPanda Touchの入力ボックスにIPおよびアクセスコードを入力します。' 417 | guid_t_get_sn: 'SNコードを取得' 418 | guid_c_get_sn_return: '設定に戻るには戻るボタンを押します。' 419 | guid_c_get_sn_enter: 'D-padを使用してデバイスを選択し、OKを押して入力します。' 420 | guid_c_get_sn_enter_code: 'これはSNコードです。対応するPanda Touchの入力ボックスに入力してください。' 421 | guid_t_completed: | 422 | ; ) 423 | おめでとうございます!Panda Touchのチュートリアルが完了しました。機能をお試しください。 424 | guid_c_completed: '画面の空白部分をクリックして接続インターフェイスに戻ります。ステータスを追跡するためにプリンター情報を追加できます。' 425 | sn: 'SN:' 426 | guid_unable_find: 'プリンター設定を見つけることができませんか?' 427 | guide_select_lang: 'Panda Touchの言語を選択してください' 428 | guide_ota_not_finished: 'OTAがまだ完了していません' 429 | guide_ota_remind: | 430 | 同じWiFiネットワーク上のコンピューターを使用してください。これは、iOSやAndroidなどのオペレーティングシステムを実行しているコンピューターやモバイルデバイスでかまいません。以下では「コンピューター」と呼びます。 431 | • コンピューターのブラウザにPanda TouchのIPアドレスを入力してWeb UIにアクセスし、「Update File」ボタンをクリックします。 432 | • 「Choose File」ボタンをクリックし、ダウンロードした.imgファイルを選択します。 433 | • Panda Touchは自動的に更新を開始します。 434 | guid_ota_connect_wifi: '右側のWiFiネットワークを選択してパスワードを入力し、インターネットに接続してください。接続するネットワークが表示されない場合は、更新ボタンをクリックしてください。' 435 | #GUID END 436 | 437 | #CLOUD START 438 | tip_about_region: 'ログインする前に地域を選択してください。地域はアカウントの地域と同じである必要があります。' 439 | tip_del_account: 'アカウントを削除する必要がありますか?PandaTouchはこのアカウントにバインドされたプリンターをローカルモードに変換します。' 440 | tip_input_phone: '電話番号を入力してください' 441 | tip_input_email: 'メールアドレスを入力してください' 442 | t_region: '地域:' 443 | t_account: 'アカウント:' 444 | t_password: 'パスワード:' 445 | t_region_china: '中国' 446 | t_region_global: 'グローバル' 447 | tip_phone_incorrect: '有効な電話番号を入力してください' 448 | tip_email_incorrect: '有効なメールアドレスを入力してください' 449 | tip_account_not_reg: 'ログインに失敗しました。このアカウントは登録されていません。' 450 | tip_password_incorrect: 'ログインに失敗しました。パスワードを確認してください。' 451 | tip_network_error: 'ログインに失敗しました。ネットワークを確認してください。' 452 | tip_login_ok: | 453 | クラウドログインに成功しました! 454 | 455 | 既存のプリンターをすべてクラウドモードに変換しますか?「LANモード」を使用していない場合にのみ「はい」を選択してください。「LANモード」を使用している場合は、クラウドに手動で各プリンターを追加する方がよいです。 456 | tip_account_sync_ok: 'プリンターは正常にクラウドモードに変換されました。複数デバイスページで各プリンターの現在のモードステータスを確認できます。' 457 | tip_account_sync_error: '一部のプリンターをクラウドモードに変換できませんでした。WiFiおよびクラウドモードの設定を確認して再試行してください。' 458 | tip_account_sync_zero: '現在のアカウントにはクラウドプリンターがありません。このアカウントにプリンターを追加し、再度ログインしてください。' 459 | tip_printer_without_cloud: 'このプリンターはまだこのアカウントにバインドされていません。BambuLab StudioまたはHandyを使用してプリンターを追加してからクラウドを有効にしてください。' 460 | tip_printer_login_account: '最初にアカウントにログインしてください。' 461 | tip_account_error: 'アカウントに問題があります。アカウント名やパスワードに変更があったかどうか、およびアカウントの地域が現在の場所と一致しているかどうかを確認してください。' 462 | tip_account_network_error: 'ネットワーク接続に問題があります。ネットワークパスワードが変更されたかどうかを確認し、再接続してプリンターのクラウド接続を復元してください。' 463 | t_login_bambu: 'BambuLabアカウントにログイン' 464 | tip_convert_to_cloud: 'プリンターをクラウドモードに変換しています。お待ちください。' 465 | t_enable_could: 'クラウド' 466 | tip_wifi_not_connected: 'Wi-Fi接続が切断されました。最初にWi-Fiに接続してください。' 467 | tip_printer_work_in_cloud: 'プリンターはクラウドモードで動作します。' 468 | tip_printer_work_in_local: 'プリンターはLANモードで動作します。' 469 | tip_ftp_ip_invalid: | 470 | プリンターがPanda Touchと同じLAN上にあることを確認してください。 471 | "IP"または"アクセスコード"を確認し、再編集してください。 472 | tip_ftp_not_find: 'ルートディレクトリにファイルが見つかりません。' 473 | tip_group_printer_cloud_mode: 'プリンター%d:%sはクラウドモードで動作しています。' 474 | tip_group_printer_local_mode: 'プリンター%d:%sはLANモードで動作しています。' 475 | tip_group_work_in_cloud: 'プリンターグループはクラウドモードで動作します。' 476 | tip_group_work_in_local: 'プリンターグループはLANモードで動作します。' 477 | #CLOUD END 478 | 479 | #NEW ADD 480 | tip_printer_group_max: 'Panda Touchは現在%dプリンターグループのみをサポートしています。' 481 | tip_one_master_at_least: '最低でも1つのマスタープリンターをグループに保持する必要があります。' 482 | tip_one_select_at_least: | 483 | 1つのマスタープリンターをグループに保持してください。 484 | グループを削除する場合は、戻るボタンを押して削除ボタンで削除してください。 485 | tip_remove_group_confirm: 'Panda Touchからこのプリンターグループを削除してもよろしいですか?' 486 | tip_group_same_name: '同じグループが存在します。名前を変更してください。' 487 | tip_printer_in_group: 'プリンターはグループ内で選択されています。グループ内で削除してください。' 488 | tip_reprint_group_printer: 'これにより、このプリンターでのみファイルが再印刷されます。グループ内のすべてのプリンターで印刷を開始するには、すべてのプリンターが完了するのを待ち、通常のプロセスを使用して印刷を開始してください。' 489 | tip_reprint_printer: 'このプリンターでファイルを再印刷しますか?' 490 | tip_waiting_print_finished: '新しい印刷を開始する前に、現在の印刷タスクを停止してください。' 491 | tip_group_connected: 'プリンターグループが正常に接続されました。' 492 | tip_group_printer_disconnected: 'プリンター%d:%sが切断されました。' 493 | tip_group_printer_connecting: 'プリンター%d:%sが接続中です。' 494 | tip_group_printer_printing: 'プリンター%d:%sが印刷中です。' 495 | tip_group_printer_temp_too_high: 'プリンター%d:%s %d ℃.' 496 | tip_group_printer_file_config: '%sファイルを印刷しますか?有効にする必要がある印刷機能を選択してください。' 497 | tip_group_power_off: 'このグループ内のプリンターの電源をオフにしますか?' 498 | tip_group_reset_power_usage: 'グループ内にバインドされているPWRプリンターの電力使用量をクリアしますか?' 499 | tip_group_power_off_not_online: 'グループ内のプリンターが切断されました。電源を切り続けるかどうかを確認してください。' 500 | tip_group_printing_not_idle: 'このグループ内の一部のプリンターが印刷中です。プリンターをオフにすると、ブロックが発生する可能性があります。プリンターの電源をオフにする前にホットエンドが冷却されるのを待ってください。続行しますか?' 501 | tip_group_temp_too_high_confirm: 'グループ内の一部のプリンターのホットエンド温度が50度を超えています。プリンターをオフにすると、ブロックが発生する可能性があります。プリンターの電源をオフにする前にホットエンドが冷却されるのを待ってください。続行しますか?' 502 | t_is_printing: '印刷中' 503 | t_is_idle: 'アイドル' 504 | tip_enter_group_name: 'グループ名を入力してください:' 505 | tip_move_confirm: 'プリンター/プリンターグループは現在印刷中のため、移動できません。' 506 | tip_always_sleep: 'この操作は画面を損傷する可能性があります。続行しますか?' 507 | tip_bind_power: | 508 | Panda PWRボタンを押して、青いライトが点滅するまで押し続けてください。 509 | 次に、Panda TouchをPanda PWRのケースに接触させて接続します。 510 | tip_remove_keep_one: 'プリンターを少なくとも1台保持してください。' 511 | tip_remove_printer_with_power: 'このプリンターはPanda PWRにバインドされています。削除を続行しますか?' 512 | tip_about_power: | 513 | Panda PWR 514 | 自動シャットダウン、リアルタイムの電力監視、電力追跡、デュアルUSB-Aインターフェース設計、詳細を知るにはQRコードをスキャンしてください。 515 | tip_power_off_not_online_confirm: 'プリンターが切断されました。プリンターの電源を切るかどうかを確認してください。' 516 | tip_power_off_temp_too_high_confirm: 'ホットエンドの温度が50度を超えています。プリンターをオフにすると、ブロックが発生する可能性があります。プリンターの電源をオフにする前にホットエンドが冷却されるのを待ってください。続行しますか?' 517 | tip_power_off_confirm: 'プリンターの電源を切るかどうかを確認してください。' 518 | tip_auto_power_off_confirm: '印刷が完了し、ホットエンドが50度以下に冷却されると、プリンターの電源が自動的にオフになります。' 519 | t_auto_power_off: '自動シャットダウン:' 520 | t_min: '分' 521 | t_countdown: 'カウントダウン:' 522 | t_power: '電力' 523 | tip_know_power: 'Panda PWRとは' 524 | tip_add_power: 'Panda PWRを追加' 525 | t_voltage: '電圧:' 526 | t_current: '電流:' 527 | t_power_2: '電源:' 528 | t_power_usage: 'エネルギー使用量:' 529 | t_printer: 'プリンターリーダー:' 530 | t_power_wifi: 'WiFi SSID:' 531 | t_power_usb_follow: 'USB 1フォロープリンターライト:' 532 | t_usb_config_off: 'オフ' 533 | t_usb_config_on: 'オン' 534 | t_must_high: '入力値は%ldより大きくなければなりません' 535 | t_must_less: '入力値は%ldより小さくなければなりません' 536 | t_power_printer_no: '番号。' 537 | tip_confirm_bind_power: 'Panda PWRからのバインドを受け入れますか?' 538 | tip_confirm_unbind_power: 'Panda PWRからのバインドを解除しますか?' 539 | t_reset_power_usage: | 540 | リセット 541 | 使用量 542 | t_reset_power_usage_print: '使用量をリセットする' 543 | tip_confirm_reset_power_usage: '電力使用量をリセットしますか?' 544 | t_auto_off: '自動オフ' 545 | t_power_off_all: 'グループ内のPWRにバインドされたプリンターの電源を切りますか?' 546 | t_pwr_has_been_bind: 'このPWRはプリンター%sにバインドされています。続行する前にバインドを解除してください。' 547 | tip_pwr_max: 'Panda Touchは現在、最大%d個のPanda PWRを接続できます。' 548 | t_power_off_after_printing: '印刷後の自動電源オフ' 549 | 550 | tip_change_reboot: 'より良い速度体験のためには再起動が必要です。続行しますか?' 551 | t_multi_print_heat_delay: 'マルチ印刷ヒート遅延' 552 | t_file_t_history: '印刷履歴' 553 | t_history_cost_time: '消費時間' 554 | t_history_weight: '重量' 555 | t_history_only_cloud: 'クラウドモードのみ対応' 556 | t_history_not_find: '見つかりません' 557 | t_default_directory: 'FTPS-デフォルトディレクトリ' 558 | t_reboot_take_effect: '適用するには再起動が必要です。続行しますか?' 559 | t_send_code: 'コードを送信' 560 | tip_send_code: 'コードを入力してください' 561 | tip_error_code_length: 'コードの長さは6桁である必要があります' 562 | tip_error_code: 'コードが存在しないか期限切れです。新しい認証コードを再取得してください。' 563 | tip_error_send_code: 'コードの送信に失敗しました。インターネット接続を確認してください。' 564 | tip_loading_thumbnail: 'Loading data from printer. Please wait a second.' 565 | t_sd_enhanced_load_thumbnails: 'Enhanced thumbnail display' 566 | tip_enhanced_load_effect: 'start printing from USB stick or click sd-card panel will cause a long delay and it will takes effect after reboot, continue?' 567 | tip_not_higher: 'Not higher than %d.' 568 | tip_dry_step1: '#%x Step1:# Remove anything that may be under or above the hotbed to avoid collisions with the hotbed, and remove filament from the tool head to avoid risk of clogging.' 569 | tip_dry_step2: '#%x Step2:# Click the "Prepare" button to move the tool head and hot bed to the preset position.' 570 | tip_dry_step3: '#%x Step3:# Place the filament on the hot bed as shown in the figure. (Closing the lid ensures better drying effect, the lid can be printed by PC or boxed).' 571 | tip_dry_step4: '#%x Step4:# Select the filament type, set the hot bed temperature and drying time, and click the "Start" button. (Flip the filament halfway through drying ensures better drying effect.)' 572 | tip_dry_completed: 'Drying completed.' 573 | tip_dry_not_support: 'Not support for A1, A1-mini, P1P.' 574 | tip_dry_printer_printing: 'The printer is printing.' 575 | tip_skip_obj_selected: '#ff0000 %d# objects is selected' 576 | tip_dry_ing: 'Drying' 577 | tip_dry_prepare_ok: 'Ready, please check if the printer tool head has returned to the preset position before clicking start.' 578 | #NEW ADD END -------------------------------------------------------------------------------- /Translation/ru-RU/README.md: -------------------------------------------------------------------------------- 1 | # Need some adjust text length for UI -------------------------------------------------------------------------------- /WorkflowScripts/sync_translations.py: -------------------------------------------------------------------------------- 1 | import os 2 | import sys 3 | from ruamel.yaml import YAML 4 | 5 | def sync_yml_files(master_file='en-GB.yml'): 6 | yaml = YAML() 7 | yaml.preserve_quotes = True 8 | yaml.width = 4096 # To avoid wrapping long lines 9 | 10 | try: 11 | # Get the root of the repository 12 | repo_root = os.environ.get('GITHUB_WORKSPACE', '') 13 | 14 | # Set the working directory to the Translations folder 15 | working_dir = os.path.join(repo_root,'PR_REPO', 'Translation') 16 | os.chdir(working_dir) 17 | print(f"Working directory set to: {working_dir}") 18 | 19 | # Read the master file 20 | with open(master_file, 'r') as f: 21 | master_data = yaml.load(f) 22 | 23 | # Get the first level key of the master file 24 | master_key = list(master_data.keys())[0] 25 | 26 | # Walk through subdirectories 27 | for root, dirs, files in os.walk('.'): 28 | print(f"Walking directory: {os.path.abspath(root)}") 29 | if root == '.': 30 | print("Skipping current directory") 31 | continue # Skip the current directory 32 | 33 | for file in files: 34 | if file.endswith('.yml'): 35 | target_file = os.path.join(root, file) 36 | print(f"Processing file: {target_file}") 37 | 38 | # Read the target file 39 | with open(target_file, 'r') as f: 40 | target_data = yaml.load(f) 41 | 42 | # Get the first level key of the target file 43 | target_key = list(target_data.keys())[0] 44 | 45 | # Update master dictionary with values from target dictionary 46 | for key, value in target_data[target_key].items(): 47 | if key in master_data[master_key]: 48 | master_data[master_key][key] = value 49 | 50 | # Replace first level key in master_data with the one from target_data 51 | new_master_data = {target_key: master_data[master_key]} 52 | 53 | # Write the modified master dictionary to the target file 54 | with open(target_file, 'w') as f: 55 | yaml.dump(new_master_data, f) 56 | 57 | print("Synchronization complete.") 58 | return 0 # Successful execution 59 | 60 | except Exception as e: 61 | print(f"YML sync failure with exception: {str(e)}", file=sys.stderr) 62 | return 1 # Non-zero exit code to indicate failure 63 | 64 | if __name__ == "__main__": 65 | exit_code = sync_yml_files() 66 | sys.exit(exit_code) -------------------------------------------------------------------------------- /img/dont_save_as.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/img/dont_save_as.png -------------------------------------------------------------------------------- /img/how_to_download.gif: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/bigtreetech/PandaTouch/12456fa2051fd3352711ff99f61eb704867d70d6/img/how_to_download.gif --------------------------------------------------------------------------------